Jump to content

Recommended Posts

Posted (edited)

In my 3D graphing calculator mod, the complexity of the graph being rendered can be extremely large. As such, I'm looking for the most efficient way possible with which to render the graph.

I store all the vertices of the graph within a Vec3d[][], and iterate over that array during FastTESR#renderTileEntityFast(), the code for which is shown below.

Is there a more efficient method of achieving this?

  Reveal hidden contents

 

Edited by SerpentDagger

Fancy 3D Graphing Calculator mod, with many different coordinate systems.

Lightweight 3D/2D position/vector transformations library, also with support for different coordinate systems.

Posted

I realized that the FastTESR method of rendering (add vertices to a communal buffer, render buffer, throw away buffer and ask for more vertices) is, at least for my purposes, extremely wasteful. In my current situation, nothing changes location, so there's no need to discard the data after every frame, and reload it before the next.

As a result of this concept, I've mostly circumvented the system: no longer contributing to the buffer, and simply using the method as one that is called for each frame, for each tile entity.

Instead, when the graph is first loaded, I use the GlStateManager to generate a new call list (and delete the old one if it existed), and store the reference to this list within the TileEntity that I was given during FastTESR#renderTileEntityFast().

During subsequent frames, I then simply use GlStateManager#callList() to render the call list whose reference index is stored in the TileEntity.

It isn't a standard use of the FastTESR system, but it does produce a 7-fold performance improvement, or much more, depending on the circumstances.

 

The only problem this presents is that I'm no longer able to take advantage of the depth-sorting that's run on the vertices of the batched FastTESR buffer. This means that graphs are rendered "out of order," which is especially a problem for translucent ones.

I can fix the problem of individual graphs rendering out of order (e.g: a graph behind is rendered on top of one in front) by moving the actual rendering over to one of the rendering events, and then drawing the furthest graph first, etc, but I'm not sure if there's a way of fixing the order within a graph being off, while keeping to call lists (BufferBulder#sortVertexData() isn't applicable to call lists).

I'll keep looking, though.

  • Like 1

Fancy 3D Graphing Calculator mod, with many different coordinate systems.

Lightweight 3D/2D position/vector transformations library, also with support for different coordinate systems.

Posted
  On 11/29/2019 at 7:11 AM, SerpentDagger said:

but I'm not sure if there's a way of fixing the order within a graph being off, while keeping to call lists

Expand  

I decided to switch away from call lists for translucent graphs, trying instead to use the Tessellator / BufferBuilder combo in order to have access to BufferBuilder#sortVertexData().

I wanted to be efficient, and store the BufferBuilder for later once I generated it, swapping it into a Tessellator during rendering. As it turns out, the Tessellator system is rigged such that there's no way to do that. The BufferBuilder is reset after every draw, and the BufferBuilder field of the Tessellator is private and final. In order to get around that, I created a new Tessellator with a public non-final BufferBuilder, and an extension of BufferBuilder who's reset() and finishDrawing() methods are altered to not reset and not finish.

This allows me to store and reuse my BufferBuilder objects, instead of throwing them away and rebuilding them constantly (a very expensive endeavor). I can now also use BufferBuilder#sortVertexData() on the buffer being swapped into the Tessellator, and my transparent graphs are properly rendered.

This all maintaining a similar 7-fold performance improvement over the standard system.

Fancy 3D Graphing Calculator mod, with many different coordinate systems.

Lightweight 3D/2D position/vector transformations library, also with support for different coordinate systems.

Posted
  On 11/29/2019 at 7:11 AM, SerpentDagger said:

by moving the actual rendering over to one of the rendering events, and then drawing the furthest graph first

Expand  

Having implemented this, the transparency is proper in that respect too. I keep an ordered array of graphs, and render according to that order.

I decided to only sort vertices and graphs every 10 frames, to mitigate the performance impact. This works fairly well, but results in regular lag spikes when the graph is complicated enough to cause them. That seems better, however, than constant lag of the same magnitude.

 

I've noticed that the method of swapping BufferBuilders into the Tessellator and rendering with Tessellator#draw() is actually ~25% faster than using call lists, but that the call list only impacts performance significantly when you're actually looking at the graph, while the Tessellator method is constant, no matter where you look.

 

This is a bit of a dilemma, as I'm not sure which is less intrusive-- constant but lesser lag, or higher lag only when you're looking at the graph.

I'm sort of leaning towards the latter. After all, there's no point in impacting performance if you're not looking at the thing, right?

Thoughts on the above would be appreciated.

Fancy 3D Graphing Calculator mod, with many different coordinate systems.

Lightweight 3D/2D position/vector transformations library, also with support for different coordinate systems.

  • 2 weeks later...
Posted

Having finished cleaning up the concepts above, I though't I'd take a moment

To summarize and clarify the answer to the question for future readers, while the memory is fresh.

 

If you have a TESR or FastTESR that doesn't change its vertices every frame, or that only translates the vertices every frame, then you have at least two options for improving performance. As I stated in previous posts, I actually managed a 7-10 times performance improvement.

 

The first option is to use call lists, while the second is to adapt the Tessellator slightly (from now on, the adapted Tessellator will be referenced as ATess). In both cases, you can reuse the Tessellator rendering code you've probably already got.

I should note that you can also take advantage of VBOs with the call list system, and gain a bit of extra performance, but only when the graphics card supports them. Because of that, you can't rely on VBOs alone. I never got them working well, and so I won't be discussing them further, but there's "example" code in RenderGlobal.

 

The benefit of using call lists over ATess is that you won't impact performance (or at least, you will impact it much less) when the player isn't looking at the object being rendered.

The benefit of using ATess is that it is about 25% faster than the call lists (in my experience) when you are looking at the object, and it allows you to sort vertices to weed out transparency issues.

 

Call lists are stored by OpenGL, and accessed through integer IDs. To create and use call lists, you can do the following:

- Check to see if the list has already been created, and destroy it if so, using GlAllocation#deleteDisplayLists().

- Get an instance of the Tessellator and its BufferBuilder.

- Allocate a rendering ID through GlAllocation#generateDisplayLists().

- Create a new list with the generated ID by using GlStateManager#glNewList().

- Begin drawing with your BufferBuilder.

- Add vertices to the buffer in the same manner as with the Tessellator.

- Call Tessellator#draw().

- Finish the list with GlStateManager#glEndList().

- You can now render this call list by using GlStateManager#callList(), and passing in the ID you stored earlier.

 

The adapted Tessellator (ATess) and adapted BufferBuilder (ABuff from now on) are only different in that you can swap the ABuff into and out from the ATess, and in that the ABuff doesn't reset when drawn. This allows you to not constantly reload all the data into the buffer. The code for these adaptations is shown below. To use them:

- Create a new ATess instance, and get its ABuff.

- I ended up storing the ABuffs within an array, which allowed me to mostly reuse the render ID system stated above in the call list section. This isn't necessary, though.

- Begin drawing with the ABuff.

- Add vertices as you would with the standard Tessellator and BufferBuilder.

- Call ATess#draw().

- Save the ABuff somewhere for later use. It now contains your rendering data.

- You can now render this ABuff by swapping it into an ATess and calling ATess#draw(). You can also sort the vertex data, since ABuff extends BufferBuilder.

 

ATess and ABuff classes:

  Reveal hidden contents
  Reveal hidden contents

 

  • Thanks 1

Fancy 3D Graphing Calculator mod, with many different coordinate systems.

Lightweight 3D/2D position/vector transformations library, also with support for different coordinate systems.

Join the conversation

You can post now and register later. If you have an account, sign in now to post with your account.
Note: Your post will require moderator approval before it will be visible.

Guest
Unfortunately, your content contains terms that we do not allow. Please edit your content to remove the highlighted words below.
Reply to this topic...

×   Pasted as rich text.   Restore formatting

  Only 75 emoji are allowed.

×   Your link has been automatically embedded.   Display as a link instead

×   Your previous content has been restored.   Clear editor

×   You cannot paste images directly. Upload or insert images from URL.

Announcements



  • Recently Browsing

    • No registered users viewing this page.
  • Posts

    • Add crash-reports with sites like https://mclo.gs/   2 issues: [20:28:51] [Server thread/WARN]: **** FAILED TO BIND TO PORT! [20:28:51] [Server thread/WARN]: The exception was: java.net.BindException: Cannot assign requested address: bind Make sure there is not running an old or crashed instance of the server   appliedenergistics2 is not working - maybe as a result of the first issue  
    • I noticed the port error at the end, changing my port gives me a new error    [20:27:12] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.FMLServerTweaker [20:27:12] [main/INFO]: Using primary tweak class name net.minecraftforge.fml.common.launcher.FMLServerTweaker [20:27:12] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLServerTweaker [20:27:12] [main/INFO]: Forge Mod Loader version 14.23.5.2860 for Minecraft 1.12.2 loading [20:27:12] [main/INFO]: Java is Java HotSpot(TM) 64-Bit Server VM, version 1.8.0_202, running on Windows 10:amd64:10.0, installed at C:\Program Files\Java\jre1.8.0_202 [20:27:12] [main/INFO]: Searching H:\Downloads\1.0.980TekxitPiServer\1.0.980TekxitPiServer\.\mods for mods [20:27:12] [main/INFO]: Searching H:\Downloads\1.0.980TekxitPiServer\1.0.980TekxitPiServer\.\mods\1.12.2 for mods [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in !configanytime-1.0.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod com.cleanroommc.configanytime.ConfigAnytimePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod ConfigAnytimePlugin (com.cleanroommc.configanytime.ConfigAnytimePlugin) is not signed! [20:27:12] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from !mixinbooter-8.9.jar [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in !Red-Core-MC-1.7-1.12-0.5.1.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod dev.redstudio.redcore.RedCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod Red Core (dev.redstudio.redcore.RedCorePlugin) is not signed! [20:27:12] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from [___MixinCompat-1.1-1.12.2___].jar [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in appliedenergistics2-rv6-stable-7-extended_life-v0.55.29.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod AE2ELCore (appeng.core.AE2ELCore) is not signed! [20:27:12] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from censoredasm5.18.jar [20:27:12] [main/INFO]: Loading tweaker codechicken.asm.internal.Tweaker from ChickenASM-1.12-1.0.2.7.jar [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Chocolate_Quest_Repoured-1.12.2-2.6.16B.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod CQRPlugin (team.cqr.cqrepoured.asm.CQRPlugin) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in CreativeCore_v1.10.71_mc1.12.2.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod com.creativemd.creativecore.core.CreativePatchingLoader does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod CreativePatchingLoader (com.creativemd.creativecore.core.CreativePatchingLoader) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in CTM-MC1.12.2-1.0.2.31.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod team.chisel.ctm.client.asm.CTMCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod CTMCorePlugin (team.chisel.ctm.client.asm.CTMCorePlugin) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Fluidlogged-API-v2.2.4-mc1.12.2.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod Fluidlogged API Plugin (git.jbredwards.fluidlogged_api.mod.asm.ASMHandler) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Forgelin-1.8.4.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod net.shadowfacts.forgelin.preloader.ForgelinPlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod ForgelinPlugin (net.shadowfacts.forgelin.preloader.ForgelinPlugin) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in future-mc-0.2.14.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod FutureMC (thedarkcolour.futuremc.asm.CoreLoader) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Galacticraft-1.12.2-4.0.6.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod MicdoodlePlugin (micdoodle8.mods.miccore.MicdoodlePlugin) is not signed! [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in LittleTiles_v1.5.85_mc1.12.2.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod com.creativemd.littletiles.LittlePatchingLoader does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:13] [main/WARN]: The coremod LittlePatchingLoader (com.creativemd.littletiles.LittlePatchingLoader) is not signed! [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in OpenModsLib-1.12.2-0.12.2.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod openmods.core.OpenModsCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Quark-r1.6-179.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod Quark Plugin (vazkii.quark.base.asm.LoadingPlugin) is not signed! [20:27:13] [main/WARN]: The coremod com.therandomlabs.randompatches.core.RPCore does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in ReachFix-1.12.2-1.0.9.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod ReachFixPlugin (meldexun.reachfix.asm.ReachFixPlugin) is not signed! [20:27:13] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from RoughlyEnoughIDs-2.0.7.jar [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in UniDict-1.12.2-3.0.10.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod UniDictCoreMod (wanion.unidict.core.UniDictCoreMod) is not signed! [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in UniversalTweaks-1.12.2-1.9.0.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod UniversalTweaksCore (mod.acgaming.universaltweaks.core.UTLoadingPlugin) is not signed! [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in vintagefix-0.3.3.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod VintageFix (org.embeddedt.vintagefix.core.VintageFixCore) is not signed! [20:27:13] [main/INFO]: [org.embeddedt.vintagefix.core.VintageFixCore:<init>:28]: Disabled squashBakedQuads due to compatibility issues, please ask Rongmario to fix this someday [20:27:13] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.FMLInjectionAndSortingTweaker [20:27:13] [main/INFO]: Loading tweak class name org.spongepowered.asm.launch.MixinTweaker [20:27:13] [main/INFO]: SpongePowered MIXIN Subsystem Version=0.8.5 Source=file:/H:/Downloads/1.0.980TekxitPiServer/1.0.980TekxitPiServer/./mods/!mixinbooter-8.9.jar Service=LaunchWrapper Env=SERVER [20:27:13] [main/DEBUG]: Instantiating coremod class MixinBooterPlugin [20:27:13] [main/TRACE]: coremod named MixinBooter is loading [20:27:13] [main/WARN]: The coremod zone.rong.mixinbooter.MixinBooterPlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:13] [main/WARN]: The coremod MixinBooter (zone.rong.mixinbooter.MixinBooterPlugin) is not signed! [20:27:13] [main/INFO]: Initializing Mixins... [20:27:13] [main/INFO]: Compatibility level set to JAVA_8 [20:27:13] [main/INFO]: Initializing MixinExtras... [20:27:13] [main/DEBUG]: Enqueued coremod MixinBooter [20:27:13] [main/DEBUG]: Instantiating coremod class LoliLoadingPlugin [20:27:13] [main/TRACE]: coremod named LoliASM is loading [20:27:13] [main/DEBUG]: The coremod zone.rong.loliasm.core.LoliLoadingPlugin requested minecraft version 1.12.2 and minecraft is 1.12.2. It will be loaded. [20:27:13] [main/WARN]: The coremod LoliASM (zone.rong.loliasm.core.LoliLoadingPlugin) is not signed! [20:27:13] [main/INFO]: Lolis are on the server-side. [20:27:13] [main/INFO]: Lolis are preparing and loading in mixins since Rongmario's too lazy to write pure ASM at times despite the mod being called 'LoliASM' [20:27:13] [main/WARN]: Replacing CA Certs with an updated one... [20:27:13] [main/INFO]: Initializing StacktraceDeobfuscator... [20:27:13] [main/INFO]: Found MCP stable-39 method mappings: methods-stable_39.csv [20:27:13] [main/INFO]: Initialized StacktraceDeobfuscator. [20:27:13] [main/INFO]: Installing DeobfuscatingRewritePolicy... [20:27:13] [main/INFO]: Installed DeobfuscatingRewritePolicy. [20:27:13] [main/DEBUG]: Added access transformer class zone.rong.loliasm.core.LoliTransformer to enqueued access transformers [20:27:13] [main/DEBUG]: Enqueued coremod LoliASM [20:27:13] [main/DEBUG]: Instantiating coremod class JEIDLoadingPlugin [20:27:13] [main/TRACE]: coremod named JustEnoughIDs Extension Plugin is loading [20:27:13] [main/DEBUG]: The coremod org.dimdev.jeid.JEIDLoadingPlugin requested minecraft version 1.12.2 and minecraft is 1.12.2. It will be loaded. [20:27:13] [main/WARN]: The coremod JustEnoughIDs Extension Plugin (org.dimdev.jeid.JEIDLoadingPlugin) is not signed! [20:27:13] [main/INFO]: Initializing JustEnoughIDs core mixins [20:27:13] [main/INFO]: Initializing JustEnoughIDs initialization mixins [20:27:13] [main/DEBUG]: Enqueued coremod JustEnoughIDs Extension Plugin [20:27:13] [main/WARN]: Tweak class name org.spongepowered.asm.launch.MixinTweaker has already been visited -- skipping [20:27:13] [main/WARN]: Tweak class name org.spongepowered.asm.launch.MixinTweaker has already been visited -- skipping [20:27:13] [main/INFO]: Loading tweak class name codechicken.asm.internal.Tweaker [20:27:13] [main/WARN]: Tweak class name org.spongepowered.asm.launch.MixinTweaker has already been visited -- skipping [20:27:13] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.FMLDeobfTweaker [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLInjectionAndSortingTweaker [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:13] [main/DEBUG]: Injecting coremod UniversalTweaksCore \{mod.acgaming.universaltweaks.core.UTLoadingPlugin\} class transformers [20:27:13] [main/DEBUG]: Injection complete [20:27:13] [main/DEBUG]: Running coremod plugin for UniversalTweaksCore \{mod.acgaming.universaltweaks.core.UTLoadingPlugin\} [20:27:13] [main/DEBUG]: Running coremod plugin UniversalTweaksCore [20:27:13] [main/DEBUG]: Coremod plugin class UTLoadingPlugin run successfully [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLInjectionAndSortingTweaker [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:13] [main/DEBUG]: Injecting coremod Red Core \{dev.redstudio.redcore.RedCorePlugin\} class transformers [20:27:13] [main/DEBUG]: Injection complete [20:27:13] [main/DEBUG]: Running coremod plugin for Red Core \{dev.redstudio.redcore.RedCorePlugin\} [20:27:13] [main/DEBUG]: Running coremod plugin Red Core [20:27:13] [main/DEBUG]: Coremod plugin class RedCorePlugin run successfully [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:13] [main/DEBUG]: Injecting coremod FMLCorePlugin \{net.minecraftforge.fml.relauncher.FMLCorePlugin\} class transformers [20:27:13] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.SideTransformer [20:27:13] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.EventSubscriptionTransformer [20:27:13] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.EventSubscriberTransformer [20:27:13] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.SoundEngineFixTransformer [20:27:13] [main/DEBUG]: Injection complete [20:27:13] [main/DEBUG]: Running coremod plugin for FMLCorePlugin \{net.minecraftforge.fml.relauncher.FMLCorePlugin\} [20:27:13] [main/DEBUG]: Running coremod plugin FMLCorePlugin [20:27:15] [main/INFO]: Found valid fingerprint for Minecraft Forge. Certificate fingerprint e3c3d50c7c986df74c645c0ac54639741c90a557 [20:27:15] [main/DEBUG]: Coremod plugin class FMLCorePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod FMLForgePlugin \{net.minecraftforge.classloading.FMLForgePlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for FMLForgePlugin \{net.minecraftforge.classloading.FMLForgePlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin FMLForgePlugin [20:27:15] [main/DEBUG]: Coremod plugin class FMLForgePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod ConfigAnytimePlugin \{com.cleanroommc.configanytime.ConfigAnytimePlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for ConfigAnytimePlugin \{com.cleanroommc.configanytime.ConfigAnytimePlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin ConfigAnytimePlugin [20:27:15] [main/DEBUG]: Coremod plugin class ConfigAnytimePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod CQRPlugin \{team.cqr.cqrepoured.asm.CQRPlugin\} class transformers [20:27:15] [main/TRACE]: Registering transformer team.cqr.cqrepoured.asm.CQRClassTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for CQRPlugin \{team.cqr.cqrepoured.asm.CQRPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin CQRPlugin [20:27:15] [main/DEBUG]: Coremod plugin class CQRPlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod CreativePatchingLoader \{com.creativemd.creativecore.core.CreativePatchingLoader\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for CreativePatchingLoader \{com.creativemd.creativecore.core.CreativePatchingLoader\} [20:27:15] [main/DEBUG]: Running coremod plugin CreativePatchingLoader [20:27:15] [main/DEBUG]: Coremod plugin class CreativePatchingLoader run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod ForgelinPlugin \{net.shadowfacts.forgelin.preloader.ForgelinPlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for ForgelinPlugin \{net.shadowfacts.forgelin.preloader.ForgelinPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin ForgelinPlugin [20:27:15] [main/DEBUG]: Coremod plugin class ForgelinPlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod MicdoodlePlugin \{micdoodle8.mods.miccore.MicdoodlePlugin\} class transformers [20:27:15] [main/INFO]: Successfully Registered Transformer [20:27:15] [main/TRACE]: Registering transformer micdoodle8.mods.miccore.MicdoodleTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for MicdoodlePlugin \{micdoodle8.mods.miccore.MicdoodlePlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin MicdoodlePlugin [20:27:15] [main/DEBUG]: Coremod plugin class MicdoodlePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod LittlePatchingLoader \{com.creativemd.littletiles.LittlePatchingLoader\} class transformers [20:27:15] [main/TRACE]: Registering transformer com.creativemd.littletiles.LittleTilesTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for LittlePatchingLoader \{com.creativemd.littletiles.LittlePatchingLoader\} [20:27:15] [main/DEBUG]: Running coremod plugin LittlePatchingLoader [20:27:15] [main/DEBUG]: Coremod plugin class LittlePatchingLoader run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod ReachFixPlugin \{meldexun.reachfix.asm.ReachFixPlugin\} class transformers [20:27:15] [main/TRACE]: Registering transformer meldexun.reachfix.asm.ReachFixClassTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for ReachFixPlugin \{meldexun.reachfix.asm.ReachFixPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin ReachFixPlugin [20:27:15] [main/DEBUG]: Coremod plugin class ReachFixPlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod UniDictCoreMod \{wanion.unidict.core.UniDictCoreMod\} class transformers [20:27:15] [main/TRACE]: Registering transformer wanion.unidict.core.UniDictCoreModTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for UniDictCoreMod \{wanion.unidict.core.UniDictCoreMod\} [20:27:15] [main/DEBUG]: Running coremod plugin UniDictCoreMod [20:27:15] [main/DEBUG]: Coremod plugin class UniDictCoreMod run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod VintageFix \{org.embeddedt.vintagefix.core.VintageFixCore\} class transformers [20:27:15] [main/TRACE]: Registering transformer org.embeddedt.vintagefix.transformer.ASMModParserTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for VintageFix \{org.embeddedt.vintagefix.core.VintageFixCore\} [20:27:15] [main/DEBUG]: Running coremod plugin VintageFix [20:27:15] [main/INFO]: Loading JarDiscovererCache [20:27:15] [main/DEBUG]: Coremod plugin class VintageFixCore run successfully [20:27:15] [main/INFO]: Calling tweak class org.spongepowered.asm.launch.MixinTweaker [20:27:15] [main/INFO]: Initialised Mixin FML Remapper Adapter with net.minecraftforge.fml.common.asm.transformers.deobf.FMLDeobfuscatingRemapper@7c551ad4 [20:27:15] [main/DEBUG]: Injecting coremod MixinBooter \{zone.rong.mixinbooter.MixinBooterPlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for MixinBooter \{zone.rong.mixinbooter.MixinBooterPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin MixinBooter [20:27:15] [main/INFO]: Grabbing class mod.acgaming.universaltweaks.core.UTLoadingPlugin for its mixins. [20:27:15] [main/INFO]: Adding mixins.tweaks.misc.buttons.snooper.server.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.misc.difficulty.server.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.comparatortiming.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.fallingblockdamage.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.hopper.boundingbox.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.hopper.tile.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.itemframevoid.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.ladderflying.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.miningglitch.server.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.pistontile.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.attackradius.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.blockfire.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.boatoffset.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.boundingbox.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.deathtime.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.destroypacket.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.desync.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.dimensionchange.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.disconnectdupe.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.entityid.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.horsefalling.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.maxhealth.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.mount.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.saturation.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.skeletonaim.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.suffocation.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.tracker.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.world.chunksaving.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.world.tileentities.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.blocks.bedobstruction.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.blocks.leafdecay.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.blocks.lenientpaths.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.ai.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.ai.saddledwandering.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.burning.horse.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.burning.zombie.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.despawning.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.spawning.husk.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.spawning.stray.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.taming.horse.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.items.itementities.server.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.items.rarity.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.misc.incurablepotions.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.performance.craftingcache.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.performance.dyeblending.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.performance.prefixcheck.json mixin configuration. [20:27:15] [main/INFO]: Grabbing class org.embeddedt.vintagefix.core.VintageFixCore for its mixins. [20:27:15] [main/INFO]: Adding mixins.vintagefix.json mixin configuration. [20:27:15] [main/INFO]: Grabbing class zone.rong.loliasm.core.LoliLoadingPlugin for its mixins. [20:27:15] [main/INFO]: Adding mixins.devenv.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.vfix_bugfixes.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.internal.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.vanities.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.registries.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.stripitemstack.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.lockcode.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.recipes.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.misc_fluidregistry.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.forgefixes.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.capability.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.efficienthashing.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.priorities.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.crashes.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.fix_mc129057.json mixin configuration. [20:27:15] [main/DEBUG]: Coremod plugin class MixinBooterPlugin run successfully [20:27:15] [main/DEBUG]: Injecting coremod LoliASM \{zone.rong.loliasm.core.LoliLoadingPlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for LoliASM \{zone.rong.loliasm.core.LoliLoadingPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin LoliASM [20:27:15] [main/DEBUG]: Coremod plugin class LoliLoadingPlugin run successfully [20:27:15] [main/DEBUG]: Injecting coremod JustEnoughIDs Extension Plugin \{org.dimdev.jeid.JEIDLoadingPlugin\} class transformers [20:27:15] [main/TRACE]: Registering transformer org.dimdev.jeid.JEIDTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for JustEnoughIDs Extension Plugin \{org.dimdev.jeid.JEIDLoadingPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin JustEnoughIDs Extension Plugin [20:27:15] [main/DEBUG]: Coremod plugin class JEIDLoadingPlugin run successfully [20:27:15] [main/INFO]: Calling tweak class codechicken.asm.internal.Tweaker [20:27:15] [main/INFO]: [codechicken.asm.internal.Tweaker:injectIntoClassLoader:30]: false [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod OpenModsCorePlugin \{openmods.core.OpenModsCorePlugin\} class transformers [20:27:15] [main/TRACE]: Registering transformer openmods.core.OpenModsClassTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for OpenModsCorePlugin \{openmods.core.OpenModsCorePlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin OpenModsCorePlugin [20:27:15] [main/DEBUG]: Coremod plugin class OpenModsCorePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLDeobfTweaker [20:27:15] [main/INFO]: The lolis are now preparing to bytecode manipulate your game. [20:27:15] [main/INFO]: Adding class net.minecraft.util.ResourceLocation to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.util.registry.RegistrySimple to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.nbt.NBTTagString to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraftforge.fml.common.discovery.ModCandidate to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraftforge.fml.common.discovery.ASMDataTable$ASMData to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.item.ItemStack to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.item.crafting.FurnaceRecipes to the transformation queue [20:27:15] [main/INFO]: Adding class hellfirepvp.astralsorcery.common.enchantment.amulet.PlayerAmuletHandler to the transformation queue [20:27:15] [main/INFO]: Adding class mezz.jei.suffixtree.Edge to the transformation queue [20:27:15] [main/INFO]: Adding class betterwithmods.event.BlastingOilEvent to the transformation queue [20:27:15] [main/INFO]: Adding class betterwithmods.common.items.ItemMaterial to the transformation queue [20:27:15] [main/INFO]: Adding class lach_01298.qmd.render.entity.BeamRenderer to the transformation queue [20:27:15] [main/INFO]: Adding class net.dries007.tfc.objects.entity.EntityFallingBlockTFC to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.item.ItemStack to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.client.renderer.EntityRenderer to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.client.renderer.EntityRenderer to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.nbt.NBTTagCompound to the transformation queue [20:27:15] [main/DEBUG]: Validating minecraft [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.TerminalTweaker [20:27:16] [main/INFO]: Loading tweak class name org.spongepowered.asm.mixin.EnvironmentStateTweaker [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.TerminalTweaker [20:27:16] [main/INFO]: Calling tweak class org.spongepowered.asm.mixin.EnvironmentStateTweaker [20:27:16] [main/WARN]: Reference map 'mixins.mixincompat.refmap.json' for mixins.mixincompat.json could not be read. If this is a development environment you can ignore this message [20:27:16] [main/INFO]: Found 62 mixins [20:27:16] [main/INFO]: Successfully saved config file [20:27:16] [main/INFO]: [team.chisel.ctm.client.asm.CTMTransformer:preTransform:230]: Transforming Class [net.minecraft.block.Block], Method [getExtendedState] [20:27:16] [main/INFO]: [team.chisel.ctm.client.asm.CTMTransformer:finishTransform:242]: Transforming net.minecraft.block.Block Finished. [20:27:16] [main/INFO]: Transforming net.minecraft.enchantment.EnchantmentHelper [20:27:16] [main/INFO]: Applying Transformation to method (Names [getEnchantments, func_82781_a] Descriptor (Lnet/minecraft/item/ItemStack;)Ljava/util/Map;) [20:27:16] [main/INFO]: Located Method, patching... [20:27:16] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/item/ItemStack.func_77986_q ()Lnet/minecraft/nbt/NBTTagList; [20:27:16] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Transforming Class [net.minecraft.entity.item.EntityItemFrame], Method [func_184230_a] [20:27:17] [main/INFO]: Transforming net.minecraft.entity.item.EntityItemFrame Finished. [20:27:17] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.player.EntityPlayer ... [20:27:17] [main/INFO]: Transforming net.minecraft.entity.player.EntityPlayer finished, added func_184613_cA() overriding EntityLivingBase [20:27:17] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.network.NetHandlerPlayServer ... [20:27:17] [main/INFO]: A re-entrant transformer '$wrapper.meldexun.reachfix.asm.ReachFixClassTransformer' was detected and will no longer process meta class data [20:27:17] [main/INFO]: Transforming net.minecraft.tileentity.TileEntityPiston [20:27:17] [main/INFO]: Applying Transformation to method (Names [update, func_73660_a] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Applying Transformation to method (Names [clearPistonTileEntity, func_145866_f] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/world/World.func_180501_a (Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;I)Z [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Applying Transformation to method (Names [update, func_73660_a] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/world/World.func_180501_a (Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;I)Z [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Transforming net.minecraft.entity.item.EntityBoat [20:27:17] [main/INFO]: Applying Transformation to method (Names [attackEntityFrom, func_70097_a] Descriptor (Lnet/minecraft/util/DamageSource;F)Z) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/item/EntityBoat.func_145778_a (Lnet/minecraft/item/Item;IF)Lnet/minecraft/entity/item/EntityItem; [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.Entity ... [20:27:17] [main/INFO]: Transforming net.minecraft.entity.Entity [20:27:17] [main/INFO]: Applying Transformation to method (Names [move, func_70091_d] Descriptor (Lnet/minecraft/entity/MoverType;DDD)V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/Entity.func_145775_I ()V [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Applying Transformation to method (Names [onEntityUpdate, func_70030_z] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: A re-entrant transformer '$wrapper.thedarkcolour.futuremc.asm.CoreTransformer' was detected and will no longer process meta class data [20:27:17] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.player.EntityPlayerMP ... [20:27:17] [main/INFO]: Transforming net.minecraft.world.WorldServer [20:27:17] [main/INFO]: Applying Transformation to method (Names [areAllPlayersAsleep, func_73056_e] Descriptor ()Z) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Applying Transformation to method (Names [wakeAllPlayers, func_73053_d] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Transforming net.minecraft.entity.item.EntityItem [20:27:17] [main/INFO]: Applying Transformation to method (Names [onUpdate, func_70071_h_] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: [appeng.core.transformer.ItemStackPatch:patchCountGetSet:53]: Patched ItemStack Count getter! [20:27:17] [main/INFO]: [appeng.core.transformer.ItemStackPatch:patchCountGetSet:81]: Patched ItemStack Count setter! [20:27:17] [main/INFO]: Transforming net.minecraft.item.ItemStack [20:27:17] [main/INFO]: Applying Transformation to method (Names [getTextComponent, func_151000_E] Descriptor ()Lnet/minecraft/util/text/ITextComponent;) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node ARETURN [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Improving FurnaceRecipes. Lookups are now a lot faster. [20:27:17] [main/WARN]: Not applying mixin 'org.embeddedt.vintagefix.mixin.version_protest.MinecraftMixin' as 'mixin.version_protest' is disabled in config [20:27:17] [main/WARN]: Not applying mixin 'org.embeddedt.vintagefix.mixin.version_protest.FMLCommonHandlerMixin' as 'mixin.version_protest' is disabled in config [20:27:17] [main/WARN]: Error loading class: net/minecraft/server/integrated/IntegratedServer (net.minecraftforge.fml.common.asm.ASMTransformerWrapper$TransformerException: Exception in class transformer net.minecraftforge.fml.common.asm.transformers.SideTransformer@74075134 from coremod FMLCorePlugin) [20:27:17] [main/WARN]: @Mixin target net.minecraft.server.integrated.IntegratedServer was not found mixins.vintagefix.json:bugfix.exit_freeze.IntegratedServerMixin from mod unknown-owner [20:27:17] [main/WARN]: Error loading class: net/minecraft/client/renderer/texture/TextureMap (net.minecraftforge.fml.common.asm.ASMTransformerWrapper$TransformerException: Exception in class transformer net.minecraftforge.fml.common.asm.transformers.SideTransformer@74075134 from coremod FMLCorePlugin) [20:27:17] [main/WARN]: @Mixin target net.minecraft.client.renderer.texture.TextureMap was not found mixins.vintagefix.json:dynamic_resources.MixinTextureMap from mod unknown-owner [20:27:17] [main/WARN]: Error loading class: net/minecraft/client/renderer/RenderItem (net.minecraftforge.fml.common.asm.ASMTransformerWrapper$TransformerException: Exception in class transformer net.minecraftforge.fml.common.asm.transformers.SideTransformer@74075134 from coremod FMLCorePlugin) [20:27:17] [main/WARN]: @Mixin target net.minecraft.client.renderer.RenderItem was not found mixins.vintagefix.json:dynamic_resources.MixinRenderItem from mod unknown-owner [20:27:18] [main/INFO]: Initializing MixinExtras via com.llamalad7.mixinextras.service.MixinExtrasServiceImpl(version=0.2.1-beta.2). [20:27:18] [main/INFO]: Transforming net.minecraft.world.WorldServer [20:27:18] [main/INFO]: Applying Transformation to method (Names [areAllPlayersAsleep, func_73056_e] Descriptor ()Z) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: Applying Transformation to method (Names [wakeAllPlayers, func_73053_d] Descriptor ()V) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.util.ITickable ... [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.Entity ... [20:27:18] [main/INFO]: Transforming net.minecraft.entity.Entity [20:27:18] [main/INFO]: Applying Transformation to method (Names [move, func_70091_d] Descriptor (Lnet/minecraft/entity/MoverType;DDD)V) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/Entity.func_145775_I ()V [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: Applying Transformation to method (Names [onEntityUpdate, func_70030_z] Descriptor ()V) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.util.math.AxisAlignedBB ... [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.player.EntityPlayer ... [20:27:18] [main/INFO]: Transforming net.minecraft.entity.player.EntityPlayer finished, added func_184613_cA() overriding EntityLivingBase [20:27:18] [main/INFO]: Injecting calls in net/minecraft/util/ResourceLocation<init> to canonicalize strings [20:27:18] [main/INFO]: Injecting calls in net/minecraft/util/ResourceLocation<init> to canonicalize strings [20:27:18] [main/INFO]: Launching wrapped minecraft {net.minecraft.server.MinecraftServer} [20:27:18] [main/INFO]: Injecting calls in net/minecraft/util/ResourceLocation<init> to canonicalize strings [20:27:18] [main/INFO]: Injecting calls in net/minecraft/util/ResourceLocation<init> to canonicalize strings [20:27:18] [main/INFO]: [team.chisel.ctm.client.asm.CTMTransformer:preTransform:230]: Transforming Class [net.minecraft.block.Block], Method [getExtendedState] [20:27:18] [main/INFO]: [team.chisel.ctm.client.asm.CTMTransformer:finishTransform:242]: Transforming net.minecraft.block.Block Finished. [20:27:18] [main/INFO]: Transforming net.minecraft.enchantment.Enchantment [20:27:18] [main/INFO]: Applying Transformation to method (Names [canApply, func_92089_a] Descriptor (Lnet/minecraft/item/ItemStack;)Z) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Located patch target node IRETURN [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: Transforming net.minecraft.entity.item.EntityItem [20:27:18] [main/INFO]: Applying Transformation to method (Names [onUpdate, func_70071_h_] Descriptor ()V) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.util.math.AxisAlignedBB ... [20:27:19] [main/INFO]: Using Java 8 class definer [20:27:19] [main/INFO]: [appeng.core.transformer.ItemStackPatch:patchCountGetSet:53]: Patched ItemStack Count getter! [20:27:19] [main/INFO]: [appeng.core.transformer.ItemStackPatch:patchCountGetSet:81]: Patched ItemStack Count setter! [20:27:19] [main/INFO]: Transforming net.minecraft.item.ItemStack [20:27:19] [main/INFO]: Applying Transformation to method (Names [getTextComponent, func_151000_E] Descriptor ()Lnet/minecraft/util/text/ITextComponent;) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node ARETURN [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Transforming net.minecraft.block.BlockDynamicLiquid [20:27:19] [main/INFO]: Applying Transformation to method (Names [isBlocked, func_176372_g] Descriptor (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;)Z) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node IRETURN [20:27:19] [main/INFO]: Located patch target node IRETURN [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Replacing ClassHierarchyManager::superclasses with a dummy map. [20:27:19] [main/INFO]: Transforming net.minecraft.block.BlockPistonBase [20:27:19] [main/INFO]: Applying Transformation to method (Names [canPush, func_185646_a] Descriptor (Lnet/minecraft/block/state/IBlockState;Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;ZLnet/minecraft/util/EnumFacing;)Z) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/block/Block.hasTileEntity (Lnet/minecraft/block/state/IBlockState;)Z [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [doMove, func_176319_a] Descriptor (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;Z)Z) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/block/state/BlockPistonStructureHelper.func_177254_c ()Ljava/util/List; [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [doMove, func_176319_a] Descriptor (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;Z)Z) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKESPECIAL net/minecraft/block/state/BlockPistonStructureHelper.<init> (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;Z)V [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [checkForMove, func_176316_e] Descriptor (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;)V) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKESPECIAL net/minecraft/block/state/BlockPistonStructureHelper.<init> (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;Z)V [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Transforming net.minecraft.tileentity.TileEntityPiston [20:27:19] [main/INFO]: Applying Transformation to method (Names [update, func_73660_a] Descriptor ()V) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [clearPistonTileEntity, func_145866_f] Descriptor ()V) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/world/World.func_180501_a (Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;I)Z [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [update, func_73660_a] Descriptor ()V) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/world/World.func_180501_a (Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;I)Z [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.util.ITickable ... [20:27:20] [main/INFO]: Transforming net.minecraft.enchantment.EnchantmentDamage [20:27:20] [main/INFO]: Applying Transformation to method (Names [canApply, func_92089_a] Descriptor (Lnet/minecraft/item/ItemStack;)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node IRETURN [20:27:20] [main/INFO]: Located patch target node IRETURN [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: Transforming Class [net.minecraft.entity.item.EntityItemFrame], Method [func_184230_a] [20:27:20] [main/INFO]: Transforming net.minecraft.entity.item.EntityItemFrame Finished. [20:27:20] [main/INFO]: Transforming net.minecraft.entity.item.EntityMinecart [20:27:20] [main/INFO]: Applying Transformation to method (Names [killMinecart, func_94095_a] Descriptor (Lnet/minecraft/util/DamageSource;)V) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/item/EntityMinecart.func_70099_a (Lnet/minecraft/item/ItemStack;F)Lnet/minecraft/entity/item/EntityItem; [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: Transforming net.minecraft.entity.item.EntityBoat [20:27:20] [main/INFO]: Applying Transformation to method (Names [attackEntityFrom, func_70097_a] Descriptor (Lnet/minecraft/util/DamageSource;F)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/item/EntityBoat.func_145778_a (Lnet/minecraft/item/Item;IF)Lnet/minecraft/entity/item/EntityItem; [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.player.EntityPlayerMP ... [20:27:20] [main/INFO]: Transforming net.minecraft.util.DamageSource [20:27:20] [main/INFO]: Applying Transformation to method (Names [causePlayerDamage, func_76365_a] Descriptor (Lnet/minecraft/entity/player/EntityPlayer;)Lnet/minecraft/util/DamageSource;) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: Transforming net.minecraft.enchantment.Enchantment [20:27:20] [main/INFO]: Applying Transformation to method (Names [canApply, func_92089_a] Descriptor (Lnet/minecraft/item/ItemStack;)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node IRETURN [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: Transforming net.minecraft.item.ItemBanner [20:27:20] [main/INFO]: Applying Transformation to method (Names [appendHoverTextFromTileEntityTag, func_185054_a] Descriptor (Lnet/minecraft/item/ItemStack;Ljava/util/List;)V) [20:27:20] [main/INFO]: Failed to locate the method! [20:27:20] [main/INFO]: Transforming method: EntityPotion#isWaterSensitiveEntity(EntityLivingBase) [20:27:20] [main/INFO]: Transforming net.minecraft.entity.ai.EntityAITarget [20:27:20] [main/INFO]: Applying Transformation to method (Names [isSuitableTarget, func_179445_a] Descriptor (Lnet/minecraft/entity/EntityLiving;Lnet/minecraft/entity/EntityLivingBase;ZZ)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraftforge.common.ForgeHooks ... [20:27:20] [main/INFO]: Transforming Class [net.minecraft.entity.ai.EntityAICreeperSwell], Method [func_75246_d] [20:27:20] [main/INFO]: Transforming net.minecraft.entity.ai.EntityAICreeperSwell Finished. [20:27:20] [main/INFO]: Transforming net.minecraft.item.crafting.RecipesBanners$RecipeAddPattern [20:27:20] [main/INFO]: Applying Transformation to method (Names [matches, func_77569_a] Descriptor (Lnet/minecraft/inventory/InventoryCrafting;Lnet/minecraft/world/World;)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node INVOKESTATIC net/minecraft/tileentity/TileEntityBanner.func_175113_c (Lnet/minecraft/item/ItemStack;)I [20:27:20] [main/INFO]: Patch result: true [20:27:21] [main/INFO]: Improving FurnaceRecipes. Lookups are now a lot faster. [20:27:21] [main/INFO]: Transforming net.minecraft.inventory.ContainerMerchant [20:27:21] [main/INFO]: Applying Transformation to method (Names [transferStackInSlot, func_82846_b] Descriptor (Lnet/minecraft/entity/player/EntityPlayer;I)Lnet/minecraft/item/ItemStack;) [20:27:21] [main/INFO]: Located Method, patching... [20:27:21] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerMerchant.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:27:21] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerMerchant.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:27:21] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerMerchant.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:27:21] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerMerchant.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:27:21] [main/INFO]: Patch result: true [20:27:21] [main/INFO]: Transforming Class [net.minecraft.world.chunk.storage.ExtendedBlockStorage], Method [func_76663_a] [20:27:21] [main/INFO]: Transforming net.minecraft.world.chunk.storage.ExtendedBlockStorage Finished. [20:27:21] [main/INFO]: Transforming Class [net.minecraft.inventory.ContainerFurnace], Method [func_82846_b] [20:27:21] [main/INFO]: Transforming net.minecraft.inventory.ContainerFurnace Finished. [20:27:21] [Server thread/INFO]: Starting minecraft server version 1.12.2 [20:27:21] [Server thread/INFO]: MinecraftForge v14.23.5.2860 Initialized [20:27:21] [Server console handler/ERROR]: Exception handling console input java.io.IOException: The handle is invalid     at java.io.FileInputStream.readBytes(Native Method) ~[?:1.8.0_202]     at java.io.FileInputStream.read(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedInputStream.read1(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedInputStream.read(Unknown Source) ~[?:1.8.0_202]     at sun.nio.cs.StreamDecoder.readBytes(Unknown Source) ~[?:1.8.0_202]     at sun.nio.cs.StreamDecoder.implRead(Unknown Source) ~[?:1.8.0_202]     at sun.nio.cs.StreamDecoder.read(Unknown Source) ~[?:1.8.0_202]     at java.io.InputStreamReader.read(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedReader.fill(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedReader.readLine(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedReader.readLine(Unknown Source) ~[?:1.8.0_202]     at net.minecraft.server.dedicated.DedicatedServer$2.run(DedicatedServer.java:105) [nz$2.class:?] [20:27:21] [Server thread/INFO]: Starts to replace vanilla recipe ingredients with ore ingredients. [20:27:21] [Server thread/INFO]: Successfully transformed 'net.minecraftforge.oredict.OreIngredient'. [20:27:21] [Server thread/INFO]: Invalid recipe found with multiple oredict ingredients in the same ingredient... [20:27:21] [Server thread/INFO]: Replaced 1227 ore ingredients [20:27:22] [Server thread/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraftforge.common.ForgeHooks ... [20:27:22] [Server thread/INFO]: Initializing MixinBooter's Mod Container. [20:27:22] [Server thread/INFO]: Searching H:\Downloads\1.0.980TekxitPiServer\1.0.980TekxitPiServer\.\mods for mods [20:27:22] [Server thread/INFO]: Searching H:\Downloads\1.0.980TekxitPiServer\1.0.980TekxitPiServer\.\mods\1.12.2 for mods [20:27:23] [Server thread/WARN]: Mod codechickenlib is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 3.2.3.358 [20:27:23] [Server thread/WARN]: Mod cosmeticarmorreworked is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.12.2-v5a [20:27:23] [Server thread/INFO]: Disabling mod ctgui it is client side only. [20:27:23] [Server thread/INFO]: Disabling mod ctm it is client side only. [20:27:24] [Server thread/WARN]: Mod enderstorage is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.4.6.137 [20:27:24] [Server thread/WARN]: Mod microblockcbe is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.6.2.83 [20:27:24] [Server thread/WARN]: Mod forgemultipartcbe is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.6.2.83 [20:27:24] [Server thread/WARN]: Mod minecraftmultipartcbe is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.6.2.83 [20:27:25] [Server thread/WARN]: Mod ironchest is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.12.2-7.0.67.844 [20:27:26] [Server thread/WARN]: Mod patchouli is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.0-23.6 [20:27:27] [Server thread/WARN]: Mod reachfix is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.0.9 [20:27:27] [Server thread/WARN]: Mod jeid is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.0.7 [20:27:27] [Server thread/WARN]: Mod simplyjetpacks is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.12.2-2.2.20.0 [20:27:27] [Server thread/ERROR]: Unable to read a class file correctly java.lang.IllegalArgumentException: null     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:185) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:168) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:439) ~[asm-debug-all-5.2.jar:5.2]     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:57) [ASMModParser.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.redirect$zdk000$redirectNewASMModParser(JarDiscoverer.java:561) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.findClassesASM(JarDiscoverer.java:102) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.discover(JarDiscoverer.java:77) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.ContainerType.findMods(ContainerType.java:47) [ContainerType.class:?]     at net.minecraftforge.fml.common.discovery.ModCandidate.explore(ModCandidate.java:74) [ModCandidate.class:?]     at net.minecraftforge.fml.common.discovery.ModDiscoverer.identifyMods(ModDiscoverer.java:93) [ModDiscoverer.class:?]     at net.minecraftforge.fml.common.Loader.identifyMods(Loader.java:427) [Loader.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:568) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:27] [Server thread/ERROR]: There was a problem reading the entry META-INF/versions/9/module-info.class in the jar .\mods\UniversalTweaks-1.12.2-1.9.0.jar - probably a corrupt zip net.minecraftforge.fml.common.LoaderException: java.lang.IllegalArgumentException     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:63) ~[ASMModParser.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.redirect$zdk000$redirectNewASMModParser(JarDiscoverer.java:561) ~[JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.findClassesASM(JarDiscoverer.java:102) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.discover(JarDiscoverer.java:77) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.ContainerType.findMods(ContainerType.java:47) [ContainerType.class:?]     at net.minecraftforge.fml.common.discovery.ModCandidate.explore(ModCandidate.java:74) [ModCandidate.class:?]     at net.minecraftforge.fml.common.discovery.ModDiscoverer.identifyMods(ModDiscoverer.java:93) [ModDiscoverer.class:?]     at net.minecraftforge.fml.common.Loader.identifyMods(Loader.java:427) [Loader.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:568) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] Caused by: java.lang.IllegalArgumentException     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:185) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:168) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:439) ~[asm-debug-all-5.2.jar:5.2]     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:57) ~[ASMModParser.class:?]     ... 13 more [20:27:27] [Server thread/WARN]: Zip file UniversalTweaks-1.12.2-1.9.0.jar failed to read properly, it will be ignored net.minecraftforge.fml.common.LoaderException: java.lang.IllegalArgumentException     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:63) ~[ASMModParser.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.redirect$zdk000$redirectNewASMModParser(JarDiscoverer.java:561) ~[JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.findClassesASM(JarDiscoverer.java:102) ~[JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.discover(JarDiscoverer.java:77) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.ContainerType.findMods(ContainerType.java:47) [ContainerType.class:?]     at net.minecraftforge.fml.common.discovery.ModCandidate.explore(ModCandidate.java:74) [ModCandidate.class:?]     at net.minecraftforge.fml.common.discovery.ModDiscoverer.identifyMods(ModDiscoverer.java:93) [ModDiscoverer.class:?]     at net.minecraftforge.fml.common.Loader.identifyMods(Loader.java:427) [Loader.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:568) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] Caused by: java.lang.IllegalArgumentException     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:185) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:168) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:439) ~[asm-debug-all-5.2.jar:5.2]     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:57) ~[ASMModParser.class:?]     ... 13 more [20:27:28] [Server thread/WARN]: Mod watermedia is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.0.25 [20:27:28] [Server thread/INFO]: Forge Mod Loader has identified 154 mods to load [20:27:28] [Server thread/INFO]: Found mod(s) [futuremc] containing declared API package vazkii.quark.api (owned by quark) without associated API reference [20:27:28] [Server thread/WARN]: Missing English translation for FML: assets/fml/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for configanytime: assets/configanytime/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for redcore: assets/redcore/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for appleskin: assets/appleskin/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftbuilders: assets/buildcraftbuilders/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftcore: assets/buildcraftcore/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftenergy: assets/buildcraftenergy/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftfactory: assets/buildcraftfactory/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftrobotics: assets/buildcraftrobotics/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftsilicon: assets/buildcraftsilicon/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcrafttransport: assets/buildcrafttransport/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for cctweaked: assets/cctweaked/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for codechickenlib: assets/codechickenlib/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for cofhcore: assets/cofhcore/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for craftstudioapi: assets/craftstudioapi/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for crafttweakerjei: assets/crafttweakerjei/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiobase: assets/enderiobase/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioconduitsappliedenergistics: assets/enderioconduitsappliedenergistics/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioconduitsopencomputers: assets/enderioconduitsopencomputers/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioconduitsrefinedstorage: assets/enderioconduitsrefinedstorage/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioconduits: assets/enderioconduits/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiointegrationforestry: assets/enderiointegrationforestry/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiointegrationtic: assets/enderiointegrationtic/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiointegrationticlate: assets/enderiointegrationticlate/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioinvpanel: assets/enderioinvpanel/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiomachines: assets/enderiomachines/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiopowertools: assets/enderiopowertools/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for entitypurger: assets/entitypurger/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for fastfurnace: assets/fastfurnace/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for forgelin: assets/forgelin/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for microblockcbe: assets/microblockcbe/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for forgemultipartcbe: assets/forgemultipartcbe/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for minecraftmultipartcbe: assets/minecraftmultipartcbe/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for gunpowderlib: assets/gunpowderlib/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for ic2-classic-spmod: assets/ic2-classic-spmod/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for instantunify: assets/instantunify/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for libraryex: assets/libraryex/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for mantle: assets/mantle/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for packcrashinfo: assets/packcrashinfo/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for placebo: assets/placebo/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for quickteleports: assets/quickteleports/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for reachfix: assets/reachfix/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for redstoneflux: assets/redstoneflux/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for regrowth: assets/regrowth/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for jeid: assets/jeid/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for ruins: assets/ruins/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for teslacorelib_registries: assets/teslacorelib_registries/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for tmel: assets/tmel/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for unidict: assets/unidict/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for vintagefix: assets/vintagefix/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for watermedia: assets/watermedia/lang/en_us.lang [20:27:28] [Server thread/INFO]: FML has found a non-mod file animania-1.12.2-extra-1.0.2.28.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file animania-1.12.2-farm-1.0.2.28.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file CTM-MC1.12.2-1.0.2.31.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file MathParser.org-mXparser-4.0.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file AutoSave-1.12.2-1.0.11.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file AutoConfig-1.12.2-1.0.2.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file ic2-tweaker-0.2.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file core-3.6.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file json-3.6.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: Instantiating all ILateMixinLoader implemented classes... [20:27:28] [Server thread/INFO]: Instantiating class zone.rong.loliasm.core.LoliLateMixinLoader for its mixins. [20:27:28] [Server thread/INFO]: Adding mixins.modfixes_xu2.json mixin configuration. [20:27:28] [Server thread/INFO]: Adding mixins.searchtree_mod.json mixin configuration. [20:27:28] [Server thread/INFO]: Instantiating class org.embeddedt.vintagefix.core.LateMixins for its mixins. [20:27:28] [Server thread/INFO]: Adding mixins.vintagefix.late.json mixin configuration. [20:27:28] [Server thread/INFO]: Instantiating class mod.acgaming.universaltweaks.core.UTMixinLoader for its mixins. [20:27:28] [Server thread/INFO]: Adding mixins.mods.aoa3.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.botania.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.botania.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.cofhcore.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.cqrepoured.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.crafttweaker.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.extrautilities.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.industrialcraft.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.industrialforegoing.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.infernalmobs.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.quark.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.roost.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.storagedrawers.client.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.tconstruct.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.tconstruct.oredictcache.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.thaumcraft.entities.client.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.thermalexpansion.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.thermalexpansion.json mixin configuration. [20:27:29] [Server thread/INFO]: Appending non-conventional mixin configurations... [20:27:29] [Server thread/INFO]: Adding mixins.jeid.twilightforest.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.jeid.modsupport.json mixin configuration. [20:27:29] [Server thread/WARN]: Error loading class: ic2/core/block/machine/container/ContainerIndustrialWorkbench (java.lang.ClassNotFoundException: The specified class 'ic2.core.block.machine.container.ContainerIndustrialWorkbench' was not found) [20:27:29] [Server thread/WARN]: @Mixin target ic2.core.block.machine.container.ContainerIndustrialWorkbench was not found mixins.mods.industrialcraft.dupes.json:UTContainerIndustrialWorkbenchMixin from mod UniversalTweaks-1.12.2-1.9.0.jar [20:27:29] [Server thread/WARN]: Error loading class: com/shinoow/abyssalcraft/common/util/BiomeUtil (java.lang.ClassNotFoundException: The specified class 'com.shinoow.abyssalcraft.common.util.BiomeUtil' was not found) [20:27:29] [Server thread/WARN]: Error loading class: zmaster587/advancedRocketry/util/BiomeHandler (java.lang.ClassNotFoundException: The specified class 'zmaster587.advancedRocketry.util.BiomeHandler' was not found) [20:27:29] [Server thread/WARN]: Error loading class: zmaster587/advancedRocketry/network/PacketBiomeIDChange (java.lang.ClassNotFoundException: The specified class 'zmaster587.advancedRocketry.network.PacketBiomeIDChange' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/bewitchment/common/ritual/RitualBiomeShift (java.lang.ClassNotFoundException: The specified class 'com.bewitchment.common.ritual.RitualBiomeShift' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/bewitchment/common/world/BiomeChangingUtils (java.lang.ClassNotFoundException: The specified class 'com.bewitchment.common.world.BiomeChangingUtils' was not found) [20:27:29] [Server thread/WARN]: Error loading class: biomesoplenty/common/command/BOPCommand (java.lang.ClassNotFoundException: The specified class 'biomesoplenty.common.command.BOPCommand' was not found) [20:27:29] [Server thread/WARN]: Error loading class: biomesoplenty/common/init/ModBiomes (java.lang.ClassNotFoundException: The specified class 'biomesoplenty.common.init.ModBiomes' was not found) [20:27:29] [Server thread/WARN]: Error loading class: me/superckl/biometweaker/util/BiomeColorMappings (java.lang.ClassNotFoundException: The specified class 'me.superckl.biometweaker.util.BiomeColorMappings' was not found) [20:27:29] [Server thread/WARN]: @Mixin target me.superckl.biometweaker.util.BiomeColorMappings was not found mixins.jeid.modsupport.json:biometweaker.MixinBiomeColorMappings from mod unknown-owner [20:27:29] [Server thread/WARN]: Error loading class: me/superckl/biometweaker/util/BiomeHelper (java.lang.ClassNotFoundException: The specified class 'me.superckl.biometweaker.util.BiomeHelper' was not found) [20:27:29] [Server thread/WARN]: @Mixin target me.superckl.biometweaker.util.BiomeHelper was not found mixins.jeid.modsupport.json:biometweaker.MixinBiomeHelper from mod unknown-owner [20:27:29] [Server thread/WARN]: Error loading class: me/superckl/biometweaker/server/command/CommandSetBiome (java.lang.ClassNotFoundException: The specified class 'me.superckl.biometweaker.server.command.CommandSetBiome' was not found) [20:27:29] [Server thread/WARN]: @Mixin target me.superckl.biometweaker.server.command.CommandSetBiome was not found mixins.jeid.modsupport.json:biometweaker.MixinCommandSetBiome from mod unknown-owner [20:27:29] [Server thread/WARN]: Error loading class: org/dave/compactmachines3/utility/ChunkUtils (java.lang.ClassNotFoundException: The specified class 'org.dave.compactmachines3.utility.ChunkUtils' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/cutievirus/creepingnether/entity/CorruptorAbstract (java.lang.ClassNotFoundException: The specified class 'com.cutievirus.creepingnether.entity.CorruptorAbstract' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/world/cube/Cube (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.world.cube.Cube' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/api/worldgen/CubePrimer (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.api.worldgen.CubePrimer' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/server/chunkio/IONbtReader (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.server.chunkio.IONbtReader' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/server/chunkio/IONbtWriter (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.server.chunkio.IONbtWriter' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/worldgen/generator/vanilla/VanillaCompatibilityGenerator (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.worldgen.generator.vanilla.VanillaCompatibilityGenerator' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/network/WorldEncoder (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.network.WorldEncoder' was not found) [20:27:29] [Server thread/WARN]: Error loading class: org/cyclops/cyclopscore/helper/WorldHelpers (java.lang.ClassNotFoundException: The specified class 'org.cyclops.cyclopscore.helper.WorldHelpers' was not found) [20:27:29] [Server thread/WARN]: Error loading class: androsa/gaiadimension/world/layer/GenLayerGDRiverMix (java.lang.ClassNotFoundException: The specified class 'androsa.gaiadimension.world.layer.GenLayerGDRiverMix' was not found) [20:27:29] [Server thread/WARN]: Error loading class: climateControl/DimensionManager (java.lang.ClassNotFoundException: The specified class 'climateControl.DimensionManager' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/zeitheron/hammercore/utils/WorldLocation (java.lang.ClassNotFoundException: The specified class 'com.zeitheron.hammercore.utils.WorldLocation' was not found) [20:27:29] [Server thread/WARN]: @Mixin target com.zeitheron.hammercore.utils.WorldLocation was not found mixins.jeid.modsupport.json:hammercore.MixinWorldLocation from mod unknown-owner [20:27:29] [Server thread/WARN]: Error loading class: journeymap/client/model/ChunkMD (java.lang.ClassNotFoundException: The specified class 'journeymap.client.model.ChunkMD' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/xcompwiz/mystcraft/symbol/symbols/SymbolFloatingIslands$BiomeReplacer (java.lang.ClassNotFoundException: The specified class 'com.xcompwiz.mystcraft.symbol.symbols.SymbolFloatingIslands$BiomeReplacer' was not found) [20:27:29] [Server thread/WARN]: Error loading class: thaumcraft/common/lib/utils/Utils (java.lang.ClassNotFoundException: The specified class 'thaumcraft.common.lib.utils.Utils' was not found) [20:27:29] [Server thread/WARN]: Error loading class: thebetweenlands/common/block/terrain/BlockSpreadingDeath (java.lang.ClassNotFoundException: The specified class 'thebetweenlands.common.block.terrain.BlockSpreadingDeath' was not found) [20:27:29] [Server thread/WARN]: Error loading class: thebetweenlands/common/world/gen/layer/GenLayerVoronoiZoomInstanced (java.lang.ClassNotFoundException: The specified class 'thebetweenlands.common.world.gen.layer.GenLayerVoronoiZoomInstanced' was not found) [20:27:29] [Server thread/WARN]: Error loading class: cn/mcmod/tofucraft/world/gen/layer/GenLayerRiverMix (java.lang.ClassNotFoundException: The specified class 'cn.mcmod.tofucraft.world.gen.layer.GenLayerRiverMix' was not found) [20:27:29] [Server thread/WARN]: Error loading class: cn/mcmod/tofucraft/world/gen/layer/GenLayerTofuVoronoiZoom (java.lang.ClassNotFoundException: The specified class 'cn.mcmod.tofucraft.world.gen.layer.GenLayerTofuVoronoiZoom' was not found) [20:27:29] [Server thread/WARN]: Error loading class: net/tropicraft/core/common/worldgen/genlayer/GenLayerTropiVoronoiZoom (java.lang.ClassNotFoundException: The specified class 'net.tropicraft.core.common.worldgen.genlayer.GenLayerTropiVoronoiZoom' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/sk89q/worldedit/blocks/BaseBlock (java.lang.ClassNotFoundException: The specified class 'com.sk89q.worldedit.blocks.BaseBlock' was not found) [20:27:29] [Server thread/WARN]: Not applying mixin 'org.embeddedt.vintagefix.mixin.bugfix.extrautils.TileMachineSlotMixin' as 'mixin.bugfix.extrautils' is disabled in config [20:27:29] [Server thread/WARN]: Error loading class: com/agricraft/agricore/util/ResourceHelper (java.lang.ClassNotFoundException: The specified class 'com.agricraft.agricore.util.ResourceHelper' was not found) [20:27:29] [Server thread/WARN]: Error loading class: pl/asie/debark/util/ModelLoaderEarlyView (java.lang.ClassNotFoundException: The specified class 'pl.asie.debark.util.ModelLoaderEarlyView' was not found) [20:27:30] [Server thread/INFO]: Attempting connection with missing mods [minecraft, mcp, FML, forge, creativecoredummy, micdoodlecore, littletilescore, mixinbooter, openmodscore, randompatches, configanytime, redcore, advancedsolars, aether_legacy, animania, appleskin, appliedenergistics2, asr, atum, autoreglib, backpack, badwithernocookiereloaded, battletowers, baubles, betterinvisibility, bibliocraft, bookshelf, botania, buildcraftcompat, buildcraftbuilders, buildcraftcore, buildcraftenergy, buildcraftfactory, buildcraftlib, buildcraftrobotics, buildcraftsilicon, buildcrafttransport, cctweaked, computercraft, loliasm, chesttransporter, chisel, chococraft, cqrepoured, codechickenlib, cofhcore, cofhworld, cosmeticarmorreworked, craftstudioapi, crafttweaker, crafttweakerjei, creativecore, dimdoors, eplus, endercore, enderio, enderiobase, enderioconduitsappliedenergistics, enderioconduitsopencomputers, enderioconduitsrefinedstorage, enderioconduits, enderiointegrationforestry, enderiointegrationtic, enderiointegrationticlate, enderioinvpanel, enderiomachines, enderiopowertools, enderstorage, energyconverters, entitypurger, extrautils2, eyesinthedarkness, fastfurnace, fluidlogged_api, forgelin, microblockcbe, forgemultipartcbe, minecraftmultipartcbe, cfm, futuremc, galacticraftcore, galacticraftplanets, geckolib3, gbook, gunpowderlib, jei, hexxitgear, ic2, ic2-classic-spmod, ichunutil, industrialforegoing, infernalmobs, instantunify, integrationforegoing, inventorysorter, ironchest, jrftl, libraryex, littleframes, littletiles, mantle, natura, naturescompass, netherendingores, netherex, nvlforcefields, nyx, oe, openblocks, openmods, oreberries, packcrashinfo, harvestcraft, patchouli, placebo, quark, quickhomes, quickteleports, railcraft, reachfix, redstonearsenal, redstoneflux, redwoods, reforged, regrowth, xreliquary, rotm, jeid, ruins, simplyjetpacks, soulshardsrespawn, tconstruct, teslacorelib, teslacorelib_registries, thermaldynamics, thermalexpansion, thermalfoundation, tmel, traverse, treechop, trumpetskeleton, twilightforest, unidict, universaltweaks, villagenames, vintagefix, wanionlib, watermedia, weirdinggadget, worsebarrels, wrcbe, recipehandler, structurize, minecolonies] at CLIENT [20:27:30] [Server thread/INFO]: Attempting connection with missing mods [minecraft, mcp, FML, forge, creativecoredummy, micdoodlecore, littletilescore, mixinbooter, openmodscore, randompatches, configanytime, redcore, advancedsolars, aether_legacy, animania, appleskin, appliedenergistics2, asr, atum, autoreglib, backpack, badwithernocookiereloaded, battletowers, baubles, betterinvisibility, bibliocraft, bookshelf, botania, buildcraftcompat, buildcraftbuilders, buildcraftcore, buildcraftenergy, buildcraftfactory, buildcraftlib, buildcraftrobotics, buildcraftsilicon, buildcrafttransport, cctweaked, computercraft, loliasm, chesttransporter, chisel, chococraft, cqrepoured, codechickenlib, cofhcore, cofhworld, cosmeticarmorreworked, craftstudioapi, crafttweaker, crafttweakerjei, creativecore, dimdoors, eplus, endercore, enderio, enderiobase, enderioconduitsappliedenergistics, enderioconduitsopencomputers, enderioconduitsrefinedstorage, enderioconduits, enderiointegrationforestry, enderiointegrationtic, enderiointegrationticlate, enderioinvpanel, enderiomachines, enderiopowertools, enderstorage, energyconverters, entitypurger, extrautils2, eyesinthedarkness, fastfurnace, fluidlogged_api, forgelin, microblockcbe, forgemultipartcbe, minecraftmultipartcbe, cfm, futuremc, galacticraftcore, galacticraftplanets, geckolib3, gbook, gunpowderlib, jei, hexxitgear, ic2, ic2-classic-spmod, ichunutil, industrialforegoing, infernalmobs, instantunify, integrationforegoing, inventorysorter, ironchest, jrftl, libraryex, littleframes, littletiles, mantle, natura, naturescompass, netherendingores, netherex, nvlforcefields, nyx, oe, openblocks, openmods, oreberries, packcrashinfo, harvestcraft, patchouli, placebo, quark, quickhomes, quickteleports, railcraft, reachfix, redstonearsenal, redstoneflux, redwoods, reforged, regrowth, xreliquary, rotm, jeid, ruins, simplyjetpacks, soulshardsrespawn, tconstruct, teslacorelib, teslacorelib_registries, thermaldynamics, thermalexpansion, thermalfoundation, tmel, traverse, treechop, trumpetskeleton, twilightforest, unidict, universaltweaks, villagenames, vintagefix, wanionlib, watermedia, weirdinggadget, worsebarrels, wrcbe, recipehandler, structurize, minecolonies] at SERVER [20:27:30] [Server thread/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.network.PacketBuffer ... [20:27:30] [Server thread/INFO]: [appeng.core.transformer.AE2ELTransformer:spliceClasses:128]: Spliced in METHOD: net.minecraft.network.PacketBuffer.func_150791_c [20:27:30] [Server thread/INFO]: [appeng.core.transformer.AE2ELTransformer:spliceClasses:128]: Spliced in METHOD: net.minecraft.network.PacketBuffer.func_150788_a [20:27:33] [Server thread/INFO]: Transforming net.minecraft.util.DamageSource [20:27:33] [Server thread/INFO]: Applying Transformation to method (Names [causePlayerDamage, func_76365_a] Descriptor (Lnet/minecraft/entity/player/EntityPlayer;)Lnet/minecraft/util/DamageSource;) [20:27:33] [Server thread/INFO]: Located Method, patching... [20:27:33] [Server thread/INFO]: Patch result: true [20:27:34] [Server thread/ERROR]: The mod redstoneflux is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source RedstoneFlux-1.12-2.1.1.1-universal.jar, however there is no signature matching that description [20:27:34] [Server thread/INFO]: Skipping Pulse craftingtweaksIntegration; missing dependency: craftingtweaks [20:27:35] [Server thread/INFO]: Loaded Addon Animania - Extra with id extra and Class com.animania.addons.extra.ExtraAddon [20:27:35] [Server thread/INFO]: Loaded Addon Animania - Farm with id farm and Class com.animania.addons.farm.FarmAddon [20:27:35] [Server thread/ERROR]: The mod appliedenergistics2 is expecting signature dfa4d3ac143316c6f32aa1a1beda1e34d42132e5 for source appliedenergistics2-rv6-stable-7-extended_life-v0.55.29.jar, however there is no signature matching that description [20:27:35] [Server thread/ERROR]: The mod backpack is expecting signature @FINGERPRINT@ for source backpack-3.0.2-1.12.2.jar, however there is no signature matching that description [20:27:37] [Server thread/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.network.NetHandlerPlayServer ... [20:27:37] [Server thread/ERROR]: The mod cofhworld is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source CoFHWorld-1.12.2-1.4.0.1-universal.jar, however there is no signature matching that description [20:27:37] [Server thread/ERROR]: The mod thermalfoundation is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source ThermalFoundation-1.12.2-2.6.7.1-universal.jar, however there is no signature matching that description [20:27:37] [Server thread/ERROR]: The mod thermalexpansion is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source ThermalExpansion-1.12.2-5.5.7.1-universal.jar, however there is no signature matching that description [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.power.forge.item.InternalPoweredItemMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.item.darksteel.upgrade.DarkSteelUpgradeMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.integration.thaumcraft.ThaumcraftArmorMixin [20:27:38] [Server thread/INFO]: Skipping mixin due to missing dependencies: [thaumcraft] [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.power.forge.item.InternalPoweredItemMixin. [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.power.forge.item.IInternalPoweredItem [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin. [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin. [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin. [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin. [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.item.darksteel.upgrade.DarkSteelUpgradeMixin. [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.api.upgrades.IDarkSteelItem [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.paint.IPaintable$INonSolidBlockPaintableBlock [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.paint.IPaintable$IBlockPaintableBlock [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.paint.IPaintable$ITexturePaintableBlock [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.paint.IPaintable$ISolidBlockPaintableBlock [20:27:38] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderio is not accessible java.lang.NoSuchMethodException: crazypants.enderio.base.EnderIO.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:38] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemInventoryCharger from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:27:38] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemInventoryCharger (DarkSteelUpgradeMixin) [20:27:38] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:27:38] [Server thread/INFO]: Successfully patched. [20:27:39] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelCrook from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:27:39] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelCrook (DarkSteelUpgradeMixin) [20:27:39] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:27:39] [Server thread/INFO]: Successfully patched. [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiointegrationtic is not accessible java.lang.NoSuchMethodException: crazypants.enderio.integration.tic.EnderIOIntegrationTic.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioconduits is not accessible java.lang.NoSuchMethodException: crazypants.enderio.conduits.EnderIOConduits.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.conduit.me.conduit.MEMixin [20:27:39] [Server thread/INFO]: Registered mixin. [20:27:39] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.conduit.me.conduit.MEMixin. [20:27:39] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.conduits.conduit.TileConduitBundle (MEMixin) [20:27:39] [Server thread/INFO]: Added 1 new interface: [appeng/api/networking/IGridHost] [20:27:39] [Server thread/INFO]: Added 3 new methods: [getGridNode(Lappeng/api/util/AEPartLocation;)Lappeng/api/networking/IGridNode;, getCableConnectionType(Lappeng/api/util/AEPartLocation;)Lappeng/api/util/AECableType;, securityBreak()V] [20:27:39] [Server thread/INFO]: Successfully patched. [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioconduitsappliedenergistics is not accessible java.lang.NoSuchMethodException: crazypants.enderio.conduit.me.EnderIOConduitsAppliedEnergistics.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.conduit.oc.conduit.OCMixin [20:27:39] [Server thread/INFO]: Skipping mixin due to missing dependencies: [opencomputersapi|network] [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioconduitsopencomputers is not accessible java.lang.NoSuchMethodException: crazypants.enderio.conduit.oc.EnderIOConduitsOpenComputers.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioconduitsrefinedstorage is not accessible java.lang.NoSuchMethodException: crazypants.enderio.conduit.refinedstorage.EnderIOConduitsRefinedStorage.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.integration.forestry.upgrades.ArmorMixin [20:27:39] [Server thread/INFO]: Skipping mixin due to missing dependencies: [forestry] [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiointegrationforestry is not accessible java.lang.NoSuchMethodException: crazypants.enderio.integration.forestry.EnderIOIntegrationForestry.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:40] [Server thread/INFO]: Skipping Pulse chiselsandbitsIntegration; missing dependency: chiselsandbits [20:27:40] [Server thread/INFO]: Skipping Pulse craftingtweaksIntegration; missing dependency: craftingtweaks [20:27:40] [Server thread/INFO]: Skipping Pulse wailaIntegration; missing dependency: waila [20:27:40] [Server thread/INFO]: Skipping Pulse theoneprobeIntegration; missing dependency: theoneprobe [20:27:40] [Server thread/INFO]: Preparing to take over the world [20:27:40] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiointegrationticlate is not accessible java.lang.NoSuchMethodException: crazypants.enderio.integration.tic.EnderIOIntegrationTicLate.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:40] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioinvpanel is not accessible java.lang.NoSuchMethodException: crazypants.enderio.invpanel.EnderIOInvPanel.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:40] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiomachines is not accessible java.lang.NoSuchMethodException: crazypants.enderio.machines.EnderIOMachines.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:41] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiopowertools is not accessible java.lang.NoSuchMethodException: crazypants.enderio.powertools.EnderIOPowerTools.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:43] [Server thread/WARN]: Annotated class 'net.ndrei.teslacorelib.blocks.multipart.MultiPartBlockEvents' not found! [20:27:45] [Server thread/INFO]: |----------------------------------------------------------------------------------------------------| [20:27:45] [Server thread/INFO]: | Modpack Information                                                                                | [20:27:45] [Server thread/INFO]: | Modpack: [Tekxit 3.14] Version: [1.0.960] by author [Slayer5934 / Discord: OmnipotentChikken#1691] | [20:27:45] [Server thread/INFO]: |----------------------------------------------------------------------------------------------------| [20:27:45] [Server thread/ERROR]: The mod redstonearsenal is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source RedstoneArsenal-1.12.2-2.6.6.1-universal.jar, however there is no signature matching that description [20:27:46] [Server thread/ERROR]: The mod thermaldynamics is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source ThermalDynamics-1.12.2-2.5.6.1-universal.jar, however there is no signature matching that description [20:27:47] [Server thread/WARN]: Not applying mixin 'mixin.version_protest.LoaderChange' as 'mixin.version_protest' is disabled in config [20:27:47] [Server thread/INFO]: Starting... [20:27:47] [Server thread/INFO]: Running 'WATERMeDIA' on 'Forge' [20:27:47] [Server thread/INFO]: WaterMedia version '2.0.25' [20:27:47] [Server thread/WARN]: Environment not detected, be careful about it [20:27:47] [Server thread/ERROR]: ###########################  ILLEGAL ENVIRONMENT  ################################### [20:27:47] [Server thread/ERROR]: Mod is not designed to run on SERVERS. remove this mod from server to stop crashes [20:27:47] [Server thread/ERROR]: If dependant mods throws error loading our classes then report it to the creator [20:27:47] [Server thread/ERROR]: ###########################  ILLEGAL ENVIRONMENT  ################################### [20:27:47] [Server thread/WARN]: Environment was init, don't need to worry about anymore [20:27:47] [WATERCoRE-worker-1/WARN]: Rustic version detected, running ASYNC bootstrap [20:27:49] [Server thread/INFO]: Processing ObjectHolder annotations [20:27:49] [Server thread/INFO]: Found 2448 ObjectHolder annotations [20:27:49] [Server thread/INFO]: Identifying ItemStackHolder annotations [20:27:49] [Server thread/INFO]: Found 70 ItemStackHolder annotations [20:27:50] [Server thread/INFO]: Configured a dormant chunk cache size of 10 [20:27:50] [Forge Version Check/INFO]: [thermalexpansion] Starting version check at https://raw.github.com/cofh/version/master/thermalexpansion_update.json [20:27:50] [Server thread/INFO]: Loading Plugin: [name=The One Probe, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Actually Additions, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Baubles Plugin, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=JustEnoughItems, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Buildcraft Plugin, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Forestry, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Immersiveengineering, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Teleporter Compat, version=1.0] [20:27:51] [Forge Version Check/INFO]: [thermalexpansion] Found status: UP_TO_DATE Target: null [20:27:51] [Forge Version Check/INFO]: [railcraft] Starting version check at http://www.railcraft.info/railcraft_versions [20:27:51] [Forge Version Check/INFO]: [codechickenlib] Starting version check at http://chickenbones.net/Files/notification/version.php?query=forge&version=1.12&file=CodeChickenLib [20:27:52] [Forge Version Check/INFO]: [codechickenlib] Found status: BETA Target: null [20:27:52] [Forge Version Check/INFO]: [cofhcore] Starting version check at https://raw.github.com/cofh/version/master/cofhcore_update.json [20:27:52] [Forge Version Check/INFO]: [cofhcore] Found status: UP_TO_DATE Target: null [20:27:52] [Forge Version Check/INFO]: [redcore] Starting version check at https://forge.curseupdate.com/873867/redcore [20:27:53] [Forge Version Check/INFO]: [redcore] Found status: BETA_OUTDATED Target: 0.7-Dev-1 [20:27:53] [Forge Version Check/INFO]: [buildcraftlib] Starting version check at https://mod-buildcraft.com/version/versions.json [20:27:54] [Forge Version Check/INFO]: [buildcraftlib] Found status: UP_TO_DATE Target: null [20:27:54] [Forge Version Check/INFO]: [twilightforest] Starting version check at https://raw.githubusercontent.com/TeamTwilight/twilightforest/1.12.x/update.json [20:27:54] [Forge Version Check/INFO]: [twilightforest] Found status: AHEAD Target: null [20:27:54] [Forge Version Check/INFO]: [redstonearsenal] Starting version check at https://raw.github.com/cofh/version/master/redstonearsenal_update.json [20:27:54] [Forge Version Check/INFO]: [redstonearsenal] Found status: UP_TO_DATE Target: null [20:27:54] [Forge Version Check/INFO]: [quickhomes] Starting version check at http://modmanagement.net16.net/updateJSON2.json [20:27:57] [Server thread/INFO]: Loaded compatibility for mod Baubles. [20:27:57] [Server thread/INFO]: Loaded compatibility for mod Chisel. [20:27:57] [Server thread/INFO]: Skipped compatibility for mod Forestry. [20:27:57] [Server thread/INFO]: Skipped compatibility for mod Immersive Engineering. [20:27:57] [Server thread/INFO]: Loaded compatibility for mod Just Enough Items. [20:27:57] [Server thread/INFO]: Loaded compatibility for mod Tinkers' Construct. [20:27:57] [Server thread/INFO]: Skipped compatibility for mod Thaumcraft. [20:27:59] [Server thread/INFO]: Pre Initialization ( started ) [20:28:00] [Server thread/INFO]: Pre Initialization ( ended after 1589ms ) [20:28:01] [Server thread/INFO]: 'Animals eat floor food' is forcefully disabled as it's incompatible with the following loaded mods: [animania] [20:28:01] [Server thread/INFO]: 'Ender watcher' is forcefully disabled as it's incompatible with the following loaded mods: [botania] [20:28:01] [Server thread/INFO]: 'Dispensers place seeds' is forcefully disabled as it's incompatible with the following loaded mods: [botania, animania] [20:28:01] [Server thread/INFO]: 'Inventory sorting' is forcefully disabled as it's incompatible with the following loaded mods: [inventorysorter] [20:28:02] [Server thread/INFO]: 'Food tooltip' is forcefully disabled as it's incompatible with the following loaded mods: [appleskin] [20:28:02] [Server thread/INFO]: Module vanity is enabled [20:28:02] [Server thread/INFO]: Module world is enabled [20:28:02] [Server thread/INFO]: Module automation is enabled [20:28:02] [Server thread/INFO]: Module management is enabled [20:28:02] [Server thread/INFO]: Module decoration is enabled [20:28:02] [Server thread/INFO]: Module building is enabled [20:28:02] [Server thread/INFO]: Module tweaks is enabled [20:28:02] [Server thread/INFO]: Module misc is enabled [20:28:02] [Server thread/INFO]: Module client is enabled [20:28:02] [Server thread/INFO]: Module experimental is disabled [20:28:03] [Server thread/INFO]:  [20:28:03] [Server thread/INFO]: Starting BuildCraft 7.99.24.8 [20:28:03] [Server thread/INFO]: Copyright (c) the BuildCraft team, 2011-2018 [20:28:03] [Server thread/INFO]: https://www.mod-buildcraft.com [20:28:03] [Server thread/INFO]: Detailed Build Information: [20:28:03] [Server thread/INFO]:   Branch HEAD [20:28:03] [Server thread/INFO]:   Commit 68370005a10488d02a4bb4b8df86bbc62633d216 [20:28:03] [Server thread/INFO]:     Bump version for release relase, fix a java 13+ compile error, tweak changelog, and fix engines chaining one block more than they should have. [20:28:03] [Server thread/INFO]:     committed by AlexIIL [20:28:03] [Server thread/INFO]:  [20:28:03] [Server thread/INFO]: Loaded Modules: [20:28:03] [Server thread/INFO]:   - lib [20:28:03] [Server thread/INFO]:   - core [20:28:03] [Server thread/INFO]:   - builders [20:28:03] [Server thread/INFO]:   - energy [20:28:03] [Server thread/INFO]:   - factory [20:28:03] [Server thread/INFO]:   - robotics [20:28:03] [Server thread/INFO]:   - silicon [20:28:03] [Server thread/INFO]:   - transport [20:28:03] [Server thread/INFO]:   - compat [20:28:03] [Server thread/INFO]: Missing Modules: [20:28:03] [Server thread/INFO]:  [20:28:03] [Forge Version Check/INFO]: [gbook] Starting version check at https://raw.githubusercontent.com/gigaherz/guidebook/master/update.json [20:28:04] [Forge Version Check/INFO]: [gbook] Found status: AHEAD Target: null [20:28:04] [Forge Version Check/INFO]: [randompatches] Starting version check at https://raw.githubusercontent.com/TheRandomLabs/RandomPatches/misc/versions.json [20:28:04] [Server thread/INFO]: [debugger] Not a dev environment! [20:28:04] [Server thread/INFO]: Configured a dormant chunk cache size of 10 [20:28:05] [Forge Version Check/INFO]: [randompatches] Found status: UP_TO_DATE Target: null [20:28:05] [Forge Version Check/INFO]: [jeid] Starting version check at https://gist.githubusercontent.com/Runemoro/67b1d8d31af58e9d35410ef60b2017c3/raw/1fe08a6c45a1f481a8a2a8c71e52d4245dcb7713/jeid_update.json [20:28:05] [Forge Version Check/INFO]: [jeid] Found status: AHEAD Target: null [20:28:05] [Forge Version Check/INFO]: [openblocks] Starting version check at http://openmods.info/versions/openblocks.json [20:28:06] [Forge Version Check/INFO]: [openblocks] Found status: AHEAD Target: null [20:28:06] [Forge Version Check/INFO]: [crafttweaker] Starting version check at https://updates.blamejared.com/get?n=crafttweaker&gv=1.12.2 [20:28:06] [Server thread/INFO]:  [20:28:06] [Server thread/INFO]: Starting BuildCraftCompat 7.99.24.8 [20:28:06] [Server thread/INFO]: Copyright (c) the BuildCraft team, 2011-2017 [20:28:06] [Server thread/INFO]: https://www.mod-buildcraft.com [20:28:06] [Server thread/INFO]: Detailed Build Information: [20:28:06] [Server thread/INFO]:   Branch 8.0.x-1.12.2 [20:28:06] [Server thread/INFO]:   Commit 16adfdb3d6a3362ba3659be7d5e9b7d12af7eee5 [20:28:06] [Server thread/INFO]:     Bump for release. [20:28:06] [Server thread/INFO]:     committed by AlexIIL [20:28:06] [Server thread/INFO]:  [20:28:06] [Server thread/INFO]: [compat] Module list: [20:28:06] [Server thread/INFO]: [compat]   x forestry (It cannot load) [20:28:06] [Server thread/INFO]: [compat]   x theoneprobe (It cannot load) [20:28:06] [Server thread/INFO]: [compat]   + crafttweaker [20:28:06] [Server thread/INFO]: [compat]   + ic2 [20:28:06] [Server thread/INFO]: Applying holder lookups [20:28:06] [Server thread/INFO]: Holder lookups applied [20:28:06] [Forge Version Check/INFO]: [crafttweaker] Found status: BETA Target: null [20:28:06] [Forge Version Check/INFO]: [enderstorage] Starting version check at http://chickenbones.net/Files/notification/version.php?query=forge&version=1.12&file=EnderStorage [20:28:06] [Server thread/INFO]: Registering default Feature Templates... [20:28:06] [Server thread/INFO]: Registering default World Generators... [20:28:07] [Server thread/INFO]: Verifying or creating base world generation directory... [20:28:07] [Server thread/INFO]: Complete. [20:28:07] [Forge Version Check/INFO]: [enderstorage] Found status: BETA Target: null [20:28:07] [Forge Version Check/INFO]: [openmods] Starting version check at http://openmods.info/versions/openmodslib.json [20:28:07] [Forge Version Check/INFO]: [openmods] Found status: AHEAD Target: null [20:28:07] [Forge Version Check/INFO]: [industrialforegoing] Starting version check at https://raw.githubusercontent.com/Buuz135/Industrial-Foregoing/master/update.json [20:28:07] [Forge Version Check/INFO]: [industrialforegoing] Found status: BETA Target: null [20:28:07] [Forge Version Check/INFO]: [cofhworld] Starting version check at https://raw.github.com/cofh/version/master/cofhworld_update.json [20:28:07] [Forge Version Check/INFO]: [cofhworld] Found status: UP_TO_DATE Target: null [20:28:07] [Forge Version Check/INFO]: [reforged] Starting version check at https://raw.githubusercontent.com/ThexXTURBOXx/UpdateJSONs/master/reforged.json [20:28:08] [Forge Version Check/INFO]: [reforged] Found status: UP_TO_DATE Target: null [20:28:08] [Forge Version Check/INFO]: [aether_legacy] Starting version check at https://raw.githubusercontent.com/Modding-Legacy/Aether-Legacy/master/aether-legacy-changelog.json [20:28:08] [Forge Version Check/INFO]: [thermaldynamics] Starting version check at https://raw.github.com/cofh/version/master/thermaldynamics_update.json [20:28:08] [Forge Version Check/INFO]: [thermaldynamics] Found status: UP_TO_DATE Target: null [20:28:08] [Forge Version Check/INFO]: [craftstudioapi] Starting version check at https://leviathan-studio.com/craftstudioapi/update.json [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedFence from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedFence (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedFenceGate from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedFenceGate (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedWall from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedWall (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedStairs from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedStairs (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedSlab from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedSlab (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedGlowstone from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedGlowstone (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedGlowstone$BlockPaintedGlowstoneNonSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedGlowstone$BlockPaintedGlowstoneNonSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedGlowstone$BlockPaintedGlowstoneSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedGlowstone$BlockPaintedGlowstoneSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedCarpet from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedCarpet (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedPressurePlate from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedPressurePlate (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedRedstone from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedRedstone (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedRedstone$BlockPaintedRedstoneNonSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedRedstone$BlockPaintedRedstoneNonSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedRedstone$BlockPaintedRedstoneSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedRedstone$BlockPaintedRedstoneSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedStone from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedStone (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedSand from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedSand (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedTrapDoor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedTrapDoor (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedDoor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedDoor (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedWorkbench from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedWorkbench (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian$BlockPaintedReinforcedObsidianNonSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian$BlockPaintedReinforcedObsidianNonSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian$BlockPaintedReinforcedObsidianSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian$BlockPaintedReinforcedObsidianSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedPackedIce from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedPackedIce (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedPackedIce$BlockPaintedPackedIceNonSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedPackedIce$BlockPaintedPackedIceNonSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedPackedIce$BlockPaintedPackedIceSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedPackedIce$BlockPaintedPackedIceSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.travelstaff.ItemTravelStaff from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.travelstaff.ItemTravelStaff (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.power.forge.item.AbstractPoweredItem from implemented interfaces: [crazypants/enderio/base/power/forge/item/IInternalPoweredItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.power.forge.item.AbstractPoweredItem (InternalPoweredItemMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.material.glass.BlockPaintedFusedQuartz from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.material.glass.BlockPaintedFusedQuartz (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.detector.BlockDetector from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.detector.BlockDetector (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelArmor from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelArmor (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 4 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, addCommonEntries(Lnet/minecraft/item/ItemStack;Lnet/minecraft/entity/player/EntityPlayer;Ljava/util/List;Z)V, addBasicEntries(Lnet/minecraft/item/ItemStack;Lnet/minecraft/entity/player/EntityPlayer;Ljava/util/List;Z)V, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelShield from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelShield (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 2 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelSword from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelSword (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 2 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelPickaxe from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelPickaxe (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 5 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, addCommonEntries(Lnet/minecraft/item/ItemStack;Lnet/minecraft/entity/player/EntityPlayer;Ljava/util/List;Z)V, addBasicEntries(Lnet/minecraft/item/ItemStack;Lnet/minecraft/entity/player/EntityPlayer;Ljava/util/List;Z)V, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelAxe from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelAxe (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelBow from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelBow (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelShears from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelShears (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelTreetap from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelTreetap (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelHand from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelHand (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.staffoflevity.ItemStaffOfLevity from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.staffoflevity.ItemStaffOfLevity (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.conduits.conduit.BlockConduitBundle from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.conduits.conduit.BlockConduitBundle (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.invpanel.sensor.BlockInventoryPanelSensor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.invpanel.sensor.BlockInventoryPanelSensor (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.invpanel.chest.BlockInventoryChest from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.invpanel.chest.BlockInventoryChest (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.invpanel.remote.ItemRemoteInvAccess from implemented interfaces: [crazypants/enderio/base/power/forge/item/IInternalPoweredItem] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.invpanel.remote.ItemRemoteInvAccess (InternalPoweredItemMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.alloy.BlockAlloySmelter from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.alloy.BlockAlloySmelter (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.power.forge.item.PoweredBlockItem from implemented interfaces: [crazypants/enderio/base/power/forge/item/IInternalPoweredItem] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.power.forge.item.PoweredBlockItem (InternalPoweredItemMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.buffer.BlockBuffer from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.buffer.BlockBuffer (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.farm.BlockFarmStation from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.farm.BlockFarmStation (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.generator.combustion.BlockCombustionGenerator from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.generator.combustion.BlockCombustionGenerator (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.generator.stirling.BlockStirlingGenerator from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.generator.stirling.BlockStirlingGenerator (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.generator.lava.BlockLavaGenerator from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.generator.lava.BlockLavaGenerator (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.painter.BlockPainter from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.painter.BlockPainter (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.sagmill.BlockSagMill from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.sagmill.BlockSagMill (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.slicensplice.BlockSliceAndSplice from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.slicensplice.BlockSliceAndSplice (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.soul.BlockSoulBinder from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.soul.BlockSoulBinder (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.spawner.BlockPoweredSpawner from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.spawner.BlockPoweredSpawner (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.vat.BlockVat from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.vat.BlockVat (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.wired.BlockWiredCharger from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.wired.BlockWiredCharger (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.wireless.BlockWirelessCharger from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.wireless.BlockWirelessCharger (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.tank.BlockTank from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.tank.BlockTank (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.transceiver.BlockTransceiver from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.transceiver.BlockTransceiver (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.vacuum.chest.BlockVacuumChest from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.vacuum.chest.BlockVacuumChest (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.vacuum.xp.BlockXPVacuum from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.vacuum.xp.BlockXPVacuum (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.niard.BlockNiard from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.niard.BlockNiard (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.teleport.anchor.BlockTravelAnchor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.teleport.anchor.BlockTravelAnchor (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.teleport.telepad.BlockTelePad from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.teleport.telepad.BlockTelePad (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.crafter.BlockCrafter from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.crafter.BlockCrafter (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.spawner.creative.BlockCreativeSpawner from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.spawner.creative.BlockCreativeSpawner (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.powertools.machine.capbank.BlockCapBank from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.powertools.machine.capbank.BlockCapBank (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.powertools.machine.capbank.BlockItemCapBank from implemented interfaces: [crazypants/enderio/base/power/forge/item/IInternalPoweredItem] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.powertools.machine.capbank.BlockItemCapBank (InternalPoweredItemMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.powertools.machine.monitor.BlockPowerMonitor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.powertools.machine.monitor.BlockPowerMonitor (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:14] [Server thread/WARN]: TConstruct, you fail again, muhaha! The world is mine, mine! [20:28:14] [Server thread/WARN]: Applied Energistics conduits loaded. Let your networks connect! [20:28:14] [Server thread/WARN]: OpenComputers conduits NOT loaded. OpenComputers is not installed [20:28:14] [Server thread/WARN]: Refined Storage conduits NOT loaded. Refined Storage is not installed [20:28:14] [Server thread/WARN]: Forestry integration NOT loaded. Forestry is not installed [20:28:17] [Server thread/INFO]: Transforming net.minecraft.inventory.ContainerWorkbench [20:28:17] [Server thread/INFO]: Applying Transformation to method (Names [transferStackInSlot, func_82846_b] Descriptor (Lnet/minecraft/entity/player/EntityPlayer;I)Lnet/minecraft/item/ItemStack;) [20:28:17] [Server thread/INFO]: Located Method, patching... [20:28:17] [Server thread/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerWorkbench.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:28:17] [Server thread/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerWorkbench.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:28:17] [Server thread/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerWorkbench.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:28:17] [Server thread/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerWorkbench.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:28:17] [Server thread/INFO]: Patch result: true [20:28:19] [Server thread/WARN]: Itemstack 1xitem.null@17 cannot represent material xu_evil_metal since it is not associated with the material! [20:28:19] [Server thread/WARN]: Itemstack 1xitem.null@12 cannot represent material xu_enchanted_metal since it is not associated with the material! [20:28:19] [Server thread/WARN]: Itemstack 1xitem.null@11 cannot represent material xu_demonic_metal since it is not associated with the material! [20:28:22] [Server thread/INFO]: Galacticraft oil is not default, issues may occur. [20:28:26] [Server thread/INFO]: Initialising CraftTweaker support... [20:28:26] [Server thread/INFO]: Initialised CraftTweaker support [20:28:26] [Server thread/INFO]: Registering drink handlers for Thermal Foundation... [20:28:26] [Server thread/INFO]: Registered drink handlers for Thermal Foundation [20:28:26] [Server thread/INFO]: Registering Laser Drill entries for Thermal Foundation... [20:28:26] [Server thread/INFO]: Registered Laser Drill entries for Thermal Foundation [20:28:26] [Server thread/INFO]: Pre-initialising integration for Tinkers' Construct... [20:28:27] [Server thread/INFO]: Pre-initialised integration for Tinkers' Construct [20:28:27] [Server thread/INFO]: Registering drink handlers for Tinkers' Construct... [20:28:27] [Server thread/INFO]: Registered drink handlers for Tinkers' Construct [20:28:27] [Server thread/INFO]: Registering Plant Gatherer entries for Oreberries... [20:28:27] [Server thread/INFO]: Registered Plant Gatherer entries for Oreberries [20:28:27] [Server thread/INFO]: Registering Laser Drill entries for AE2 Unofficial Extended Life... [20:28:27] [Server thread/INFO]: Registered Laser Drill entries for AE2 Unofficial Extended Life [20:28:27] [Server thread/INFO]: Registering Plant Gatherer entries for Extra Utilities 2... [20:28:27] [Server thread/INFO]: Registered Plant Gatherer entries for Extra Utilities 2 [20:28:27] [Server thread/INFO]: Registering Plant Gatherer entries for Natura... [20:28:27] [Server thread/INFO]: Registered Plant Gatherer entries for Natura [20:28:27] [Server thread/INFO]: Registering drink handlers for Ender IO... [20:28:27] [Server thread/INFO]: Registered drink handlers for Ender IO [20:28:27] [Server thread/INFO]: Registering Plant Gatherer entries for Botania... [20:28:27] [Server thread/INFO]: Registered Plant Gatherer entries for Botania [20:28:29] [Forge Version Check/INFO]: [buildcraftcompat] Starting version check at https://mod-buildcraft.com/version/versions-compat.json [20:28:30] [Forge Version Check/INFO]: [buildcraftcompat] Found status: AHEAD Target: null [20:28:30] [Forge Version Check/INFO]: [thermalfoundation] Starting version check at https://raw.github.com/cofh/version/master/thermalfoundation_update.json [20:28:31] [Forge Version Check/INFO]: [thermalfoundation] Found status: UP_TO_DATE Target: null [20:28:31] [Forge Version Check/INFO]: [forge] Starting version check at http://files.minecraftforge.net/maven/net/minecraftforge/forge/promotions_slim.json [20:28:31] [Server thread/INFO]: openmods.config.game.GameRegistryObjectsProvider.processAnnotations(GameRegistryObjectsProvider.java:208): Object scaffolding (from field public static net.minecraft.block.Block openblocks.OpenBlocks$Blocks.scaffolding) is disabled [20:28:32] [Forge Version Check/INFO]: [forge] Found status: AHEAD Target: null [20:28:32] [Forge Version Check/INFO]: [buildcraftcore] Starting version check at https://mod-buildcraft.com/version/versions.json [20:28:33] [Forge Version Check/INFO]: [buildcraftcore] Found status: UP_TO_DATE Target: null [20:28:33] [Forge Version Check/INFO]: [wrcbe] Starting version check at http://chickenbones.net/Files/notification/version.php?query=forge&version=1.12&file=WR-CBE [20:28:39] [Server thread/INFO]: Module disabled: RailcraftModule{railcraft:chunk_loading} [20:28:39] [Server thread/INFO]: Module failed prerequisite check, disabling: railcraft:thaumcraft [20:28:39] [Server thread/INFO]: mods.railcraft.api.core.IRailcraftModule$MissingPrerequisiteException: Thaumcraft not detected [20:28:39] [Server thread/INFO]: Module failed prerequisite check, disabling: railcraft:forestry [20:28:39] [Server thread/INFO]: mods.railcraft.api.core.IRailcraftModule$MissingPrerequisiteException: Forestry not detected [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:commandblock_minecart with railcraft:cart_command_block. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:minecart with railcraft:cart_basic. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:chest_minecart with railcraft:cart_chest. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:furnace_minecart with railcraft:cart_furnace. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:tnt_minecart with railcraft:cart_tnt. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:hopper_minecart with railcraft:cart_hopper. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:spawner_minecart with railcraft:cart_spawner. [20:28:41] [Server thread/WARN]: defineId called for: class mods.railcraft.common.carts.EntityTunnelBore from class mods.railcraft.common.plugins.forge.DataManagerPlugin [20:28:41] [Server thread/WARN]: defineId called for: class mods.railcraft.common.carts.EntityTunnelBore from class mods.railcraft.common.plugins.forge.DataManagerPlugin [20:28:41] [Server thread/WARN]: defineId called for: class mods.railcraft.common.carts.EntityTunnelBore from class mods.railcraft.common.plugins.forge.DataManagerPlugin [20:28:41] [Server thread/WARN]: defineId called for: class mods.railcraft.common.carts.EntityTunnelBore from class mods.railcraft.common.plugins.forge.DataManagerPlugin [20:28:42] [Server thread/INFO]: [com.mactso.regrowth.Main:preInit:40]: Regrowth 16.4 1.1.0.18: Registering Handler [20:28:42] [Server thread/INFO]: Loading ROTM [20:28:43] [Server thread/INFO]: Starting Simply Jetpacks 2... [20:28:43] [Server thread/INFO]: Loading Configuration Files... [20:28:43] [Server thread/INFO]: Registering Items... [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.maxHealth with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.followRange with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.knockbackResistance with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.movementSpeed with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.flyingSpeed with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.attackDamage with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.attackSpeed with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.armor with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.armorToughness with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.luck with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: Universal Tweaks pre-initialized [20:28:45] [Server thread/INFO]: Registered new Village generator [20:28:46] [Server thread/INFO]: Loading blocks... [20:28:46] [Server thread/INFO]: Skipping feature arcaneStone as its required mod thaumcraft was missing. [20:28:46] [Server thread/INFO]: Skipping feature bloodMagic as its required mod bloodmagic was missing. [20:28:46] [Server thread/INFO]: 73 Feature's blocks loaded. [20:28:46] [Server thread/INFO]: Loading Tile Entities... [20:28:46] [Server thread/INFO]: Tile Entities loaded. [20:28:47] [Server thread/INFO]: Registered Blocks [20:28:47] [Server thread/INFO]: Applying holder lookups [20:28:47] [Server thread/INFO]: Holder lookups applied [20:28:48] [Server thread/INFO]: Loading items... [20:28:48] [Server thread/INFO]: 15 item features loaded. [20:28:48] [Server thread/INFO]: Loading items... [20:28:48] [Server thread/INFO]: Skipping feature arcaneStone as its required mod thaumcraft was missing. [20:28:48] [Server thread/INFO]: Skipping feature bloodMagic as its required mod bloodmagic was missing. [20:28:48] [Server thread/INFO]: 73 Feature's items loaded. [20:28:48] [Server thread/INFO]: Galacticraft: activating Tinker's Construct compatibility. [20:28:48] [Server thread/INFO]: Registered ItemBlocks [20:28:49] [Server thread/INFO]: Applying holder lookups [20:28:49] [Server thread/INFO]: Holder lookups applied [20:28:49] [Server thread/INFO]: Farming Station: Immersive Engineering integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: Botania integration for farming fully loaded [20:28:49] [Server thread/INFO]: Farming Station: Extra Utilities 2 integration fully loaded [20:28:49] [Server thread/INFO]: Farming Station: Natura integration fully loaded [20:28:49] [Server thread/INFO]: Farming Station: IC2 integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: 'Thaumic Additions: reconstructed' integration for farming not loaded [20:28:49] [Server thread/INFO]: Farming Station: MFR integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: TechReborn integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: IC2 classic integration fully loaded [20:28:49] [Server thread/INFO]: Farming Station: Botania integration for fertilizing fully loaded [20:28:49] [Server thread/INFO]: Farming Station: Actually Additions integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: Gardencore integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: Metallurgy integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: Magicalcrops integration not loaded [20:28:49] [Server thread/INFO]: Registered Ore Dictionary Entries [20:28:50] [Server thread/INFO]: Applying holder lookups [20:28:50] [Server thread/INFO]: Holder lookups applied [20:28:50] [Server thread/INFO]: Applying holder lookups [20:28:50] [Server thread/INFO]: Holder lookups applied [20:28:50] [Server thread/INFO]: Injecting itemstacks [20:28:50] [Server thread/INFO]: Itemstack injection complete [20:28:50] [Server thread/INFO]: Loading properties [20:28:50] [Server thread/INFO]: Default game type: SURVIVAL [20:28:50] [Server thread/INFO]: Generating keypair [20:28:50] [Server thread/INFO]: Starting Minecraft server on 192.168.0.10:25565 [20:28:50] [Server thread/INFO]: Using default channel type [20:28:51] [Server thread/WARN]: **** FAILED TO BIND TO PORT! [20:28:51] [Server thread/WARN]: The exception was: java.net.BindException: Cannot assign requested address: bind [20:28:51] [Server thread/WARN]: Perhaps a server is already running on that port? [20:28:51] [Server thread/INFO]: Stopping server [20:28:51] [Server thread/INFO]: Saving worlds [20:28:51] [Server thread/INFO]: [java.lang.ThreadGroup:uncaughtException:-1]: net.minecraftforge.fml.common.LoaderExceptionModCrash: Caught exception from AE2 Unofficial Extended Life (appliedenergistics2) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]: Caused by: java.lang.NullPointerException [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at appeng.core.AppEng.serverStopped(AppEng.java:243) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at java.lang.reflect.Method.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.FMLModContainer.handleModStateEvent(FMLModContainer.java:637) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.GeneratedMethodAccessor4.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at java.lang.reflect.Method.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at java.lang.reflect.Method.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.Loader.serverStopped(Loader.java:852) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.FMLCommonHandler.handleServerStopped(FMLCommonHandler.java:508) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:587) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at java.lang.Thread.run(Unknown Source) Sorry for these walls of text.
    • Ah, I didn't notice those, there's a LOT of words here [20:27:12] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.FMLServerTweaker [20:27:12] [main/INFO]: Using primary tweak class name net.minecraftforge.fml.common.launcher.FMLServerTweaker [20:27:12] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLServerTweaker [20:27:12] [main/INFO]: Forge Mod Loader version 14.23.5.2860 for Minecraft 1.12.2 loading [20:27:12] [main/INFO]: Java is Java HotSpot(TM) 64-Bit Server VM, version 1.8.0_202, running on Windows 10:amd64:10.0, installed at C:\Program Files\Java\jre1.8.0_202 [20:27:12] [main/INFO]: Searching H:\Downloads\1.0.980TekxitPiServer\1.0.980TekxitPiServer\.\mods for mods [20:27:12] [main/INFO]: Searching H:\Downloads\1.0.980TekxitPiServer\1.0.980TekxitPiServer\.\mods\1.12.2 for mods [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in !configanytime-1.0.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod com.cleanroommc.configanytime.ConfigAnytimePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod ConfigAnytimePlugin (com.cleanroommc.configanytime.ConfigAnytimePlugin) is not signed! [20:27:12] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from !mixinbooter-8.9.jar [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in !Red-Core-MC-1.7-1.12-0.5.1.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod dev.redstudio.redcore.RedCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod Red Core (dev.redstudio.redcore.RedCorePlugin) is not signed! [20:27:12] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from [___MixinCompat-1.1-1.12.2___].jar [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in appliedenergistics2-rv6-stable-7-extended_life-v0.55.29.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod AE2ELCore (appeng.core.AE2ELCore) is not signed! [20:27:12] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from censoredasm5.18.jar [20:27:12] [main/INFO]: Loading tweaker codechicken.asm.internal.Tweaker from ChickenASM-1.12-1.0.2.7.jar [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Chocolate_Quest_Repoured-1.12.2-2.6.16B.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod CQRPlugin (team.cqr.cqrepoured.asm.CQRPlugin) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in CreativeCore_v1.10.71_mc1.12.2.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod com.creativemd.creativecore.core.CreativePatchingLoader does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod CreativePatchingLoader (com.creativemd.creativecore.core.CreativePatchingLoader) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in CTM-MC1.12.2-1.0.2.31.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod team.chisel.ctm.client.asm.CTMCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod CTMCorePlugin (team.chisel.ctm.client.asm.CTMCorePlugin) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Fluidlogged-API-v2.2.4-mc1.12.2.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod Fluidlogged API Plugin (git.jbredwards.fluidlogged_api.mod.asm.ASMHandler) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Forgelin-1.8.4.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod net.shadowfacts.forgelin.preloader.ForgelinPlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:12] [main/WARN]: The coremod ForgelinPlugin (net.shadowfacts.forgelin.preloader.ForgelinPlugin) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in future-mc-0.2.14.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:12] [main/WARN]: The coremod FutureMC (thedarkcolour.futuremc.asm.CoreLoader) is not signed! [20:27:12] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Galacticraft-1.12.2-4.0.6.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod MicdoodlePlugin (micdoodle8.mods.miccore.MicdoodlePlugin) is not signed! [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in LittleTiles_v1.5.85_mc1.12.2.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod com.creativemd.littletiles.LittlePatchingLoader does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:13] [main/WARN]: The coremod LittlePatchingLoader (com.creativemd.littletiles.LittlePatchingLoader) is not signed! [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in OpenModsLib-1.12.2-0.12.2.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod openmods.core.OpenModsCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Quark-r1.6-179.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod Quark Plugin (vazkii.quark.base.asm.LoadingPlugin) is not signed! [20:27:13] [main/WARN]: The coremod com.therandomlabs.randompatches.core.RPCore does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in ReachFix-1.12.2-1.0.9.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod ReachFixPlugin (meldexun.reachfix.asm.ReachFixPlugin) is not signed! [20:27:13] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from RoughlyEnoughIDs-2.0.7.jar [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in UniDict-1.12.2-3.0.10.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod UniDictCoreMod (wanion.unidict.core.UniDictCoreMod) is not signed! [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in UniversalTweaks-1.12.2-1.9.0.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod UniversalTweaksCore (mod.acgaming.universaltweaks.core.UTLoadingPlugin) is not signed! [20:27:13] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in vintagefix-0.3.3.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [20:27:13] [main/WARN]: The coremod VintageFix (org.embeddedt.vintagefix.core.VintageFixCore) is not signed! [20:27:13] [main/INFO]: [org.embeddedt.vintagefix.core.VintageFixCore:<init>:28]: Disabled squashBakedQuads due to compatibility issues, please ask Rongmario to fix this someday [20:27:13] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.FMLInjectionAndSortingTweaker [20:27:13] [main/INFO]: Loading tweak class name org.spongepowered.asm.launch.MixinTweaker [20:27:13] [main/INFO]: SpongePowered MIXIN Subsystem Version=0.8.5 Source=file:/H:/Downloads/1.0.980TekxitPiServer/1.0.980TekxitPiServer/./mods/!mixinbooter-8.9.jar Service=LaunchWrapper Env=SERVER [20:27:13] [main/DEBUG]: Instantiating coremod class MixinBooterPlugin [20:27:13] [main/TRACE]: coremod named MixinBooter is loading [20:27:13] [main/WARN]: The coremod zone.rong.mixinbooter.MixinBooterPlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [20:27:13] [main/WARN]: The coremod MixinBooter (zone.rong.mixinbooter.MixinBooterPlugin) is not signed! [20:27:13] [main/INFO]: Initializing Mixins... [20:27:13] [main/INFO]: Compatibility level set to JAVA_8 [20:27:13] [main/INFO]: Initializing MixinExtras... [20:27:13] [main/DEBUG]: Enqueued coremod MixinBooter [20:27:13] [main/DEBUG]: Instantiating coremod class LoliLoadingPlugin [20:27:13] [main/TRACE]: coremod named LoliASM is loading [20:27:13] [main/DEBUG]: The coremod zone.rong.loliasm.core.LoliLoadingPlugin requested minecraft version 1.12.2 and minecraft is 1.12.2. It will be loaded. [20:27:13] [main/WARN]: The coremod LoliASM (zone.rong.loliasm.core.LoliLoadingPlugin) is not signed! [20:27:13] [main/INFO]: Lolis are on the server-side. [20:27:13] [main/INFO]: Lolis are preparing and loading in mixins since Rongmario's too lazy to write pure ASM at times despite the mod being called 'LoliASM' [20:27:13] [main/WARN]: Replacing CA Certs with an updated one... [20:27:13] [main/INFO]: Initializing StacktraceDeobfuscator... [20:27:13] [main/INFO]: Found MCP stable-39 method mappings: methods-stable_39.csv [20:27:13] [main/INFO]: Initialized StacktraceDeobfuscator. [20:27:13] [main/INFO]: Installing DeobfuscatingRewritePolicy... [20:27:13] [main/INFO]: Installed DeobfuscatingRewritePolicy. [20:27:13] [main/DEBUG]: Added access transformer class zone.rong.loliasm.core.LoliTransformer to enqueued access transformers [20:27:13] [main/DEBUG]: Enqueued coremod LoliASM [20:27:13] [main/DEBUG]: Instantiating coremod class JEIDLoadingPlugin [20:27:13] [main/TRACE]: coremod named JustEnoughIDs Extension Plugin is loading [20:27:13] [main/DEBUG]: The coremod org.dimdev.jeid.JEIDLoadingPlugin requested minecraft version 1.12.2 and minecraft is 1.12.2. It will be loaded. [20:27:13] [main/WARN]: The coremod JustEnoughIDs Extension Plugin (org.dimdev.jeid.JEIDLoadingPlugin) is not signed! [20:27:13] [main/INFO]: Initializing JustEnoughIDs core mixins [20:27:13] [main/INFO]: Initializing JustEnoughIDs initialization mixins [20:27:13] [main/DEBUG]: Enqueued coremod JustEnoughIDs Extension Plugin [20:27:13] [main/WARN]: Tweak class name org.spongepowered.asm.launch.MixinTweaker has already been visited -- skipping [20:27:13] [main/WARN]: Tweak class name org.spongepowered.asm.launch.MixinTweaker has already been visited -- skipping [20:27:13] [main/INFO]: Loading tweak class name codechicken.asm.internal.Tweaker [20:27:13] [main/WARN]: Tweak class name org.spongepowered.asm.launch.MixinTweaker has already been visited -- skipping [20:27:13] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.FMLDeobfTweaker [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLInjectionAndSortingTweaker [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:13] [main/DEBUG]: Injecting coremod UniversalTweaksCore \{mod.acgaming.universaltweaks.core.UTLoadingPlugin\} class transformers [20:27:13] [main/DEBUG]: Injection complete [20:27:13] [main/DEBUG]: Running coremod plugin for UniversalTweaksCore \{mod.acgaming.universaltweaks.core.UTLoadingPlugin\} [20:27:13] [main/DEBUG]: Running coremod plugin UniversalTweaksCore [20:27:13] [main/DEBUG]: Coremod plugin class UTLoadingPlugin run successfully [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLInjectionAndSortingTweaker [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:13] [main/DEBUG]: Injecting coremod Red Core \{dev.redstudio.redcore.RedCorePlugin\} class transformers [20:27:13] [main/DEBUG]: Injection complete [20:27:13] [main/DEBUG]: Running coremod plugin for Red Core \{dev.redstudio.redcore.RedCorePlugin\} [20:27:13] [main/DEBUG]: Running coremod plugin Red Core [20:27:13] [main/DEBUG]: Coremod plugin class RedCorePlugin run successfully [20:27:13] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:13] [main/DEBUG]: Injecting coremod FMLCorePlugin \{net.minecraftforge.fml.relauncher.FMLCorePlugin\} class transformers [20:27:13] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.SideTransformer [20:27:13] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.EventSubscriptionTransformer [20:27:13] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.EventSubscriberTransformer [20:27:13] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.SoundEngineFixTransformer [20:27:13] [main/DEBUG]: Injection complete [20:27:13] [main/DEBUG]: Running coremod plugin for FMLCorePlugin \{net.minecraftforge.fml.relauncher.FMLCorePlugin\} [20:27:13] [main/DEBUG]: Running coremod plugin FMLCorePlugin [20:27:15] [main/INFO]: Found valid fingerprint for Minecraft Forge. Certificate fingerprint e3c3d50c7c986df74c645c0ac54639741c90a557 [20:27:15] [main/DEBUG]: Coremod plugin class FMLCorePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod FMLForgePlugin \{net.minecraftforge.classloading.FMLForgePlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for FMLForgePlugin \{net.minecraftforge.classloading.FMLForgePlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin FMLForgePlugin [20:27:15] [main/DEBUG]: Coremod plugin class FMLForgePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod ConfigAnytimePlugin \{com.cleanroommc.configanytime.ConfigAnytimePlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for ConfigAnytimePlugin \{com.cleanroommc.configanytime.ConfigAnytimePlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin ConfigAnytimePlugin [20:27:15] [main/DEBUG]: Coremod plugin class ConfigAnytimePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod CQRPlugin \{team.cqr.cqrepoured.asm.CQRPlugin\} class transformers [20:27:15] [main/TRACE]: Registering transformer team.cqr.cqrepoured.asm.CQRClassTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for CQRPlugin \{team.cqr.cqrepoured.asm.CQRPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin CQRPlugin [20:27:15] [main/DEBUG]: Coremod plugin class CQRPlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod CreativePatchingLoader \{com.creativemd.creativecore.core.CreativePatchingLoader\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for CreativePatchingLoader \{com.creativemd.creativecore.core.CreativePatchingLoader\} [20:27:15] [main/DEBUG]: Running coremod plugin CreativePatchingLoader [20:27:15] [main/DEBUG]: Coremod plugin class CreativePatchingLoader run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod ForgelinPlugin \{net.shadowfacts.forgelin.preloader.ForgelinPlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for ForgelinPlugin \{net.shadowfacts.forgelin.preloader.ForgelinPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin ForgelinPlugin [20:27:15] [main/DEBUG]: Coremod plugin class ForgelinPlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod MicdoodlePlugin \{micdoodle8.mods.miccore.MicdoodlePlugin\} class transformers [20:27:15] [main/INFO]: Successfully Registered Transformer [20:27:15] [main/TRACE]: Registering transformer micdoodle8.mods.miccore.MicdoodleTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for MicdoodlePlugin \{micdoodle8.mods.miccore.MicdoodlePlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin MicdoodlePlugin [20:27:15] [main/DEBUG]: Coremod plugin class MicdoodlePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod LittlePatchingLoader \{com.creativemd.littletiles.LittlePatchingLoader\} class transformers [20:27:15] [main/TRACE]: Registering transformer com.creativemd.littletiles.LittleTilesTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for LittlePatchingLoader \{com.creativemd.littletiles.LittlePatchingLoader\} [20:27:15] [main/DEBUG]: Running coremod plugin LittlePatchingLoader [20:27:15] [main/DEBUG]: Coremod plugin class LittlePatchingLoader run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod ReachFixPlugin \{meldexun.reachfix.asm.ReachFixPlugin\} class transformers [20:27:15] [main/TRACE]: Registering transformer meldexun.reachfix.asm.ReachFixClassTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for ReachFixPlugin \{meldexun.reachfix.asm.ReachFixPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin ReachFixPlugin [20:27:15] [main/DEBUG]: Coremod plugin class ReachFixPlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod UniDictCoreMod \{wanion.unidict.core.UniDictCoreMod\} class transformers [20:27:15] [main/TRACE]: Registering transformer wanion.unidict.core.UniDictCoreModTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for UniDictCoreMod \{wanion.unidict.core.UniDictCoreMod\} [20:27:15] [main/DEBUG]: Running coremod plugin UniDictCoreMod [20:27:15] [main/DEBUG]: Coremod plugin class UniDictCoreMod run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod VintageFix \{org.embeddedt.vintagefix.core.VintageFixCore\} class transformers [20:27:15] [main/TRACE]: Registering transformer org.embeddedt.vintagefix.transformer.ASMModParserTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for VintageFix \{org.embeddedt.vintagefix.core.VintageFixCore\} [20:27:15] [main/DEBUG]: Running coremod plugin VintageFix [20:27:15] [main/INFO]: Loading JarDiscovererCache [20:27:15] [main/DEBUG]: Coremod plugin class VintageFixCore run successfully [20:27:15] [main/INFO]: Calling tweak class org.spongepowered.asm.launch.MixinTweaker [20:27:15] [main/INFO]: Initialised Mixin FML Remapper Adapter with net.minecraftforge.fml.common.asm.transformers.deobf.FMLDeobfuscatingRemapper@7c551ad4 [20:27:15] [main/DEBUG]: Injecting coremod MixinBooter \{zone.rong.mixinbooter.MixinBooterPlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for MixinBooter \{zone.rong.mixinbooter.MixinBooterPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin MixinBooter [20:27:15] [main/INFO]: Grabbing class mod.acgaming.universaltweaks.core.UTLoadingPlugin for its mixins. [20:27:15] [main/INFO]: Adding mixins.tweaks.misc.buttons.snooper.server.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.misc.difficulty.server.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.comparatortiming.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.fallingblockdamage.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.hopper.boundingbox.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.hopper.tile.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.itemframevoid.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.ladderflying.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.miningglitch.server.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.blocks.pistontile.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.attackradius.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.blockfire.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.boatoffset.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.boundingbox.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.deathtime.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.destroypacket.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.desync.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.dimensionchange.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.disconnectdupe.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.entityid.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.horsefalling.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.maxhealth.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.mount.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.saturation.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.skeletonaim.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.suffocation.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.entities.tracker.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.world.chunksaving.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.bugfixes.world.tileentities.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.blocks.bedobstruction.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.blocks.leafdecay.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.blocks.lenientpaths.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.ai.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.ai.saddledwandering.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.burning.horse.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.burning.zombie.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.despawning.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.spawning.husk.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.spawning.stray.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.entities.taming.horse.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.items.itementities.server.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.items.rarity.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.misc.incurablepotions.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.performance.craftingcache.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.performance.dyeblending.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.tweaks.performance.prefixcheck.json mixin configuration. [20:27:15] [main/INFO]: Grabbing class org.embeddedt.vintagefix.core.VintageFixCore for its mixins. [20:27:15] [main/INFO]: Adding mixins.vintagefix.json mixin configuration. [20:27:15] [main/INFO]: Grabbing class zone.rong.loliasm.core.LoliLoadingPlugin for its mixins. [20:27:15] [main/INFO]: Adding mixins.devenv.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.vfix_bugfixes.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.internal.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.vanities.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.registries.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.stripitemstack.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.lockcode.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.recipes.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.misc_fluidregistry.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.forgefixes.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.capability.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.efficienthashing.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.priorities.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.crashes.json mixin configuration. [20:27:15] [main/INFO]: Adding mixins.fix_mc129057.json mixin configuration. [20:27:15] [main/DEBUG]: Coremod plugin class MixinBooterPlugin run successfully [20:27:15] [main/DEBUG]: Injecting coremod LoliASM \{zone.rong.loliasm.core.LoliLoadingPlugin\} class transformers [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for LoliASM \{zone.rong.loliasm.core.LoliLoadingPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin LoliASM [20:27:15] [main/DEBUG]: Coremod plugin class LoliLoadingPlugin run successfully [20:27:15] [main/DEBUG]: Injecting coremod JustEnoughIDs Extension Plugin \{org.dimdev.jeid.JEIDLoadingPlugin\} class transformers [20:27:15] [main/TRACE]: Registering transformer org.dimdev.jeid.JEIDTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for JustEnoughIDs Extension Plugin \{org.dimdev.jeid.JEIDLoadingPlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin JustEnoughIDs Extension Plugin [20:27:15] [main/DEBUG]: Coremod plugin class JEIDLoadingPlugin run successfully [20:27:15] [main/INFO]: Calling tweak class codechicken.asm.internal.Tweaker [20:27:15] [main/INFO]: [codechicken.asm.internal.Tweaker:injectIntoClassLoader:30]: false [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:15] [main/DEBUG]: Injecting coremod OpenModsCorePlugin \{openmods.core.OpenModsCorePlugin\} class transformers [20:27:15] [main/TRACE]: Registering transformer openmods.core.OpenModsClassTransformer [20:27:15] [main/DEBUG]: Injection complete [20:27:15] [main/DEBUG]: Running coremod plugin for OpenModsCorePlugin \{openmods.core.OpenModsCorePlugin\} [20:27:15] [main/DEBUG]: Running coremod plugin OpenModsCorePlugin [20:27:15] [main/DEBUG]: Coremod plugin class OpenModsCorePlugin run successfully [20:27:15] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLDeobfTweaker [20:27:15] [main/INFO]: The lolis are now preparing to bytecode manipulate your game. [20:27:15] [main/INFO]: Adding class net.minecraft.util.ResourceLocation to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.util.registry.RegistrySimple to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.nbt.NBTTagString to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraftforge.fml.common.discovery.ModCandidate to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraftforge.fml.common.discovery.ASMDataTable$ASMData to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.item.ItemStack to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.item.crafting.FurnaceRecipes to the transformation queue [20:27:15] [main/INFO]: Adding class hellfirepvp.astralsorcery.common.enchantment.amulet.PlayerAmuletHandler to the transformation queue [20:27:15] [main/INFO]: Adding class mezz.jei.suffixtree.Edge to the transformation queue [20:27:15] [main/INFO]: Adding class betterwithmods.event.BlastingOilEvent to the transformation queue [20:27:15] [main/INFO]: Adding class betterwithmods.common.items.ItemMaterial to the transformation queue [20:27:15] [main/INFO]: Adding class lach_01298.qmd.render.entity.BeamRenderer to the transformation queue [20:27:15] [main/INFO]: Adding class net.dries007.tfc.objects.entity.EntityFallingBlockTFC to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.item.ItemStack to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.client.renderer.EntityRenderer to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.client.renderer.EntityRenderer to the transformation queue [20:27:15] [main/INFO]: Adding class net.minecraft.nbt.NBTTagCompound to the transformation queue [20:27:15] [main/DEBUG]: Validating minecraft [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [20:27:16] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.TerminalTweaker [20:27:16] [main/INFO]: Loading tweak class name org.spongepowered.asm.mixin.EnvironmentStateTweaker [20:27:16] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.TerminalTweaker [20:27:16] [main/INFO]: Calling tweak class org.spongepowered.asm.mixin.EnvironmentStateTweaker [20:27:16] [main/WARN]: Reference map 'mixins.mixincompat.refmap.json' for mixins.mixincompat.json could not be read. If this is a development environment you can ignore this message [20:27:16] [main/INFO]: Found 62 mixins [20:27:16] [main/INFO]: Successfully saved config file [20:27:16] [main/INFO]: [team.chisel.ctm.client.asm.CTMTransformer:preTransform:230]: Transforming Class [net.minecraft.block.Block], Method [getExtendedState] [20:27:16] [main/INFO]: [team.chisel.ctm.client.asm.CTMTransformer:finishTransform:242]: Transforming net.minecraft.block.Block Finished. [20:27:16] [main/INFO]: Transforming net.minecraft.enchantment.EnchantmentHelper [20:27:16] [main/INFO]: Applying Transformation to method (Names [getEnchantments, func_82781_a] Descriptor (Lnet/minecraft/item/ItemStack;)Ljava/util/Map;) [20:27:16] [main/INFO]: Located Method, patching... [20:27:16] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/item/ItemStack.func_77986_q ()Lnet/minecraft/nbt/NBTTagList; [20:27:16] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Transforming Class [net.minecraft.entity.item.EntityItemFrame], Method [func_184230_a] [20:27:17] [main/INFO]: Transforming net.minecraft.entity.item.EntityItemFrame Finished. [20:27:17] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.player.EntityPlayer ... [20:27:17] [main/INFO]: Transforming net.minecraft.entity.player.EntityPlayer finished, added func_184613_cA() overriding EntityLivingBase [20:27:17] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.network.NetHandlerPlayServer ... [20:27:17] [main/INFO]: A re-entrant transformer '$wrapper.meldexun.reachfix.asm.ReachFixClassTransformer' was detected and will no longer process meta class data [20:27:17] [main/INFO]: Transforming net.minecraft.tileentity.TileEntityPiston [20:27:17] [main/INFO]: Applying Transformation to method (Names [update, func_73660_a] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Applying Transformation to method (Names [clearPistonTileEntity, func_145866_f] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/world/World.func_180501_a (Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;I)Z [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Applying Transformation to method (Names [update, func_73660_a] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/world/World.func_180501_a (Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;I)Z [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Transforming net.minecraft.entity.item.EntityBoat [20:27:17] [main/INFO]: Applying Transformation to method (Names [attackEntityFrom, func_70097_a] Descriptor (Lnet/minecraft/util/DamageSource;F)Z) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/item/EntityBoat.func_145778_a (Lnet/minecraft/item/Item;IF)Lnet/minecraft/entity/item/EntityItem; [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.Entity ... [20:27:17] [main/INFO]: Transforming net.minecraft.entity.Entity [20:27:17] [main/INFO]: Applying Transformation to method (Names [move, func_70091_d] Descriptor (Lnet/minecraft/entity/MoverType;DDD)V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/Entity.func_145775_I ()V [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Applying Transformation to method (Names [onEntityUpdate, func_70030_z] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: A re-entrant transformer '$wrapper.thedarkcolour.futuremc.asm.CoreTransformer' was detected and will no longer process meta class data [20:27:17] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.player.EntityPlayerMP ... [20:27:17] [main/INFO]: Transforming net.minecraft.world.WorldServer [20:27:17] [main/INFO]: Applying Transformation to method (Names [areAllPlayersAsleep, func_73056_e] Descriptor ()Z) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Applying Transformation to method (Names [wakeAllPlayers, func_73053_d] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Transforming net.minecraft.entity.item.EntityItem [20:27:17] [main/INFO]: Applying Transformation to method (Names [onUpdate, func_70071_h_] Descriptor ()V) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: [appeng.core.transformer.ItemStackPatch:patchCountGetSet:53]: Patched ItemStack Count getter! [20:27:17] [main/INFO]: [appeng.core.transformer.ItemStackPatch:patchCountGetSet:81]: Patched ItemStack Count setter! [20:27:17] [main/INFO]: Transforming net.minecraft.item.ItemStack [20:27:17] [main/INFO]: Applying Transformation to method (Names [getTextComponent, func_151000_E] Descriptor ()Lnet/minecraft/util/text/ITextComponent;) [20:27:17] [main/INFO]: Located Method, patching... [20:27:17] [main/INFO]: Located patch target node ARETURN [20:27:17] [main/INFO]: Patch result: true [20:27:17] [main/INFO]: Improving FurnaceRecipes. Lookups are now a lot faster. [20:27:17] [main/WARN]: Not applying mixin 'org.embeddedt.vintagefix.mixin.version_protest.MinecraftMixin' as 'mixin.version_protest' is disabled in config [20:27:17] [main/WARN]: Not applying mixin 'org.embeddedt.vintagefix.mixin.version_protest.FMLCommonHandlerMixin' as 'mixin.version_protest' is disabled in config [20:27:17] [main/WARN]: Error loading class: net/minecraft/server/integrated/IntegratedServer (net.minecraftforge.fml.common.asm.ASMTransformerWrapper$TransformerException: Exception in class transformer net.minecraftforge.fml.common.asm.transformers.SideTransformer@74075134 from coremod FMLCorePlugin) [20:27:17] [main/WARN]: @Mixin target net.minecraft.server.integrated.IntegratedServer was not found mixins.vintagefix.json:bugfix.exit_freeze.IntegratedServerMixin from mod unknown-owner [20:27:17] [main/WARN]: Error loading class: net/minecraft/client/renderer/texture/TextureMap (net.minecraftforge.fml.common.asm.ASMTransformerWrapper$TransformerException: Exception in class transformer net.minecraftforge.fml.common.asm.transformers.SideTransformer@74075134 from coremod FMLCorePlugin) [20:27:17] [main/WARN]: @Mixin target net.minecraft.client.renderer.texture.TextureMap was not found mixins.vintagefix.json:dynamic_resources.MixinTextureMap from mod unknown-owner [20:27:17] [main/WARN]: Error loading class: net/minecraft/client/renderer/RenderItem (net.minecraftforge.fml.common.asm.ASMTransformerWrapper$TransformerException: Exception in class transformer net.minecraftforge.fml.common.asm.transformers.SideTransformer@74075134 from coremod FMLCorePlugin) [20:27:17] [main/WARN]: @Mixin target net.minecraft.client.renderer.RenderItem was not found mixins.vintagefix.json:dynamic_resources.MixinRenderItem from mod unknown-owner [20:27:18] [main/INFO]: Initializing MixinExtras via com.llamalad7.mixinextras.service.MixinExtrasServiceImpl(version=0.2.1-beta.2). [20:27:18] [main/INFO]: Transforming net.minecraft.world.WorldServer [20:27:18] [main/INFO]: Applying Transformation to method (Names [areAllPlayersAsleep, func_73056_e] Descriptor ()Z) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: Applying Transformation to method (Names [wakeAllPlayers, func_73053_d] Descriptor ()V) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.util.ITickable ... [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.Entity ... [20:27:18] [main/INFO]: Transforming net.minecraft.entity.Entity [20:27:18] [main/INFO]: Applying Transformation to method (Names [move, func_70091_d] Descriptor (Lnet/minecraft/entity/MoverType;DDD)V) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/Entity.func_145775_I ()V [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: Applying Transformation to method (Names [onEntityUpdate, func_70030_z] Descriptor ()V) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.util.math.AxisAlignedBB ... [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.player.EntityPlayer ... [20:27:18] [main/INFO]: Transforming net.minecraft.entity.player.EntityPlayer finished, added func_184613_cA() overriding EntityLivingBase [20:27:18] [main/INFO]: Injecting calls in net/minecraft/util/ResourceLocation<init> to canonicalize strings [20:27:18] [main/INFO]: Injecting calls in net/minecraft/util/ResourceLocation<init> to canonicalize strings [20:27:18] [main/INFO]: Launching wrapped minecraft {net.minecraft.server.MinecraftServer} [20:27:18] [main/INFO]: Injecting calls in net/minecraft/util/ResourceLocation<init> to canonicalize strings [20:27:18] [main/INFO]: Injecting calls in net/minecraft/util/ResourceLocation<init> to canonicalize strings [20:27:18] [main/INFO]: [team.chisel.ctm.client.asm.CTMTransformer:preTransform:230]: Transforming Class [net.minecraft.block.Block], Method [getExtendedState] [20:27:18] [main/INFO]: [team.chisel.ctm.client.asm.CTMTransformer:finishTransform:242]: Transforming net.minecraft.block.Block Finished. [20:27:18] [main/INFO]: Transforming net.minecraft.enchantment.Enchantment [20:27:18] [main/INFO]: Applying Transformation to method (Names [canApply, func_92089_a] Descriptor (Lnet/minecraft/item/ItemStack;)Z) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Located patch target node IRETURN [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: Transforming net.minecraft.entity.item.EntityItem [20:27:18] [main/INFO]: Applying Transformation to method (Names [onUpdate, func_70071_h_] Descriptor ()V) [20:27:18] [main/INFO]: Located Method, patching... [20:27:18] [main/INFO]: Patch result: true [20:27:18] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.util.math.AxisAlignedBB ... [20:27:19] [main/INFO]: Using Java 8 class definer [20:27:19] [main/INFO]: [appeng.core.transformer.ItemStackPatch:patchCountGetSet:53]: Patched ItemStack Count getter! [20:27:19] [main/INFO]: [appeng.core.transformer.ItemStackPatch:patchCountGetSet:81]: Patched ItemStack Count setter! [20:27:19] [main/INFO]: Transforming net.minecraft.item.ItemStack [20:27:19] [main/INFO]: Applying Transformation to method (Names [getTextComponent, func_151000_E] Descriptor ()Lnet/minecraft/util/text/ITextComponent;) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node ARETURN [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Transforming net.minecraft.block.BlockDynamicLiquid [20:27:19] [main/INFO]: Applying Transformation to method (Names [isBlocked, func_176372_g] Descriptor (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;)Z) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node IRETURN [20:27:19] [main/INFO]: Located patch target node IRETURN [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Replacing ClassHierarchyManager::superclasses with a dummy map. [20:27:19] [main/INFO]: Transforming net.minecraft.block.BlockPistonBase [20:27:19] [main/INFO]: Applying Transformation to method (Names [canPush, func_185646_a] Descriptor (Lnet/minecraft/block/state/IBlockState;Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;ZLnet/minecraft/util/EnumFacing;)Z) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/block/Block.hasTileEntity (Lnet/minecraft/block/state/IBlockState;)Z [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [doMove, func_176319_a] Descriptor (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;Z)Z) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/block/state/BlockPistonStructureHelper.func_177254_c ()Ljava/util/List; [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [doMove, func_176319_a] Descriptor (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;Z)Z) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKESPECIAL net/minecraft/block/state/BlockPistonStructureHelper.<init> (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;Z)V [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [checkForMove, func_176316_e] Descriptor (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;)V) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKESPECIAL net/minecraft/block/state/BlockPistonStructureHelper.<init> (Lnet/minecraft/world/World;Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/util/EnumFacing;Z)V [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Transforming net.minecraft.tileentity.TileEntityPiston [20:27:19] [main/INFO]: Applying Transformation to method (Names [update, func_73660_a] Descriptor ()V) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [clearPistonTileEntity, func_145866_f] Descriptor ()V) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/world/World.func_180501_a (Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;I)Z [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: Applying Transformation to method (Names [update, func_73660_a] Descriptor ()V) [20:27:19] [main/INFO]: Located Method, patching... [20:27:19] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/world/World.func_180501_a (Lnet/minecraft/util/math/BlockPos;Lnet/minecraft/block/state/IBlockState;I)Z [20:27:19] [main/INFO]: Patch result: true [20:27:19] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.util.ITickable ... [20:27:20] [main/INFO]: Transforming net.minecraft.enchantment.EnchantmentDamage [20:27:20] [main/INFO]: Applying Transformation to method (Names [canApply, func_92089_a] Descriptor (Lnet/minecraft/item/ItemStack;)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node IRETURN [20:27:20] [main/INFO]: Located patch target node IRETURN [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: Transforming Class [net.minecraft.entity.item.EntityItemFrame], Method [func_184230_a] [20:27:20] [main/INFO]: Transforming net.minecraft.entity.item.EntityItemFrame Finished. [20:27:20] [main/INFO]: Transforming net.minecraft.entity.item.EntityMinecart [20:27:20] [main/INFO]: Applying Transformation to method (Names [killMinecart, func_94095_a] Descriptor (Lnet/minecraft/util/DamageSource;)V) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/item/EntityMinecart.func_70099_a (Lnet/minecraft/item/ItemStack;F)Lnet/minecraft/entity/item/EntityItem; [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: Transforming net.minecraft.entity.item.EntityBoat [20:27:20] [main/INFO]: Applying Transformation to method (Names [attackEntityFrom, func_70097_a] Descriptor (Lnet/minecraft/util/DamageSource;F)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/entity/item/EntityBoat.func_145778_a (Lnet/minecraft/item/Item;IF)Lnet/minecraft/entity/item/EntityItem; [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.entity.player.EntityPlayerMP ... [20:27:20] [main/INFO]: Transforming net.minecraft.util.DamageSource [20:27:20] [main/INFO]: Applying Transformation to method (Names [causePlayerDamage, func_76365_a] Descriptor (Lnet/minecraft/entity/player/EntityPlayer;)Lnet/minecraft/util/DamageSource;) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: Transforming net.minecraft.enchantment.Enchantment [20:27:20] [main/INFO]: Applying Transformation to method (Names [canApply, func_92089_a] Descriptor (Lnet/minecraft/item/ItemStack;)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node IRETURN [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: Transforming net.minecraft.item.ItemBanner [20:27:20] [main/INFO]: Applying Transformation to method (Names [appendHoverTextFromTileEntityTag, func_185054_a] Descriptor (Lnet/minecraft/item/ItemStack;Ljava/util/List;)V) [20:27:20] [main/INFO]: Failed to locate the method! [20:27:20] [main/INFO]: Transforming method: EntityPotion#isWaterSensitiveEntity(EntityLivingBase) [20:27:20] [main/INFO]: Transforming net.minecraft.entity.ai.EntityAITarget [20:27:20] [main/INFO]: Applying Transformation to method (Names [isSuitableTarget, func_179445_a] Descriptor (Lnet/minecraft/entity/EntityLiving;Lnet/minecraft/entity/EntityLivingBase;ZZ)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Patch result: true [20:27:20] [main/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraftforge.common.ForgeHooks ... [20:27:20] [main/INFO]: Transforming Class [net.minecraft.entity.ai.EntityAICreeperSwell], Method [func_75246_d] [20:27:20] [main/INFO]: Transforming net.minecraft.entity.ai.EntityAICreeperSwell Finished. [20:27:20] [main/INFO]: Transforming net.minecraft.item.crafting.RecipesBanners$RecipeAddPattern [20:27:20] [main/INFO]: Applying Transformation to method (Names [matches, func_77569_a] Descriptor (Lnet/minecraft/inventory/InventoryCrafting;Lnet/minecraft/world/World;)Z) [20:27:20] [main/INFO]: Located Method, patching... [20:27:20] [main/INFO]: Located patch target node INVOKESTATIC net/minecraft/tileentity/TileEntityBanner.func_175113_c (Lnet/minecraft/item/ItemStack;)I [20:27:20] [main/INFO]: Patch result: true [20:27:21] [main/INFO]: Improving FurnaceRecipes. Lookups are now a lot faster. [20:27:21] [main/INFO]: Transforming net.minecraft.inventory.ContainerMerchant [20:27:21] [main/INFO]: Applying Transformation to method (Names [transferStackInSlot, func_82846_b] Descriptor (Lnet/minecraft/entity/player/EntityPlayer;I)Lnet/minecraft/item/ItemStack;) [20:27:21] [main/INFO]: Located Method, patching... [20:27:21] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerMerchant.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:27:21] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerMerchant.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:27:21] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerMerchant.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:27:21] [main/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerMerchant.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:27:21] [main/INFO]: Patch result: true [20:27:21] [main/INFO]: Transforming Class [net.minecraft.world.chunk.storage.ExtendedBlockStorage], Method [func_76663_a] [20:27:21] [main/INFO]: Transforming net.minecraft.world.chunk.storage.ExtendedBlockStorage Finished. [20:27:21] [main/INFO]: Transforming Class [net.minecraft.inventory.ContainerFurnace], Method [func_82846_b] [20:27:21] [main/INFO]: Transforming net.minecraft.inventory.ContainerFurnace Finished. [20:27:21] [Server thread/INFO]: Starting minecraft server version 1.12.2 [20:27:21] [Server thread/INFO]: MinecraftForge v14.23.5.2860 Initialized [20:27:21] [Server console handler/ERROR]: Exception handling console input java.io.IOException: The handle is invalid     at java.io.FileInputStream.readBytes(Native Method) ~[?:1.8.0_202]     at java.io.FileInputStream.read(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedInputStream.read1(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedInputStream.read(Unknown Source) ~[?:1.8.0_202]     at sun.nio.cs.StreamDecoder.readBytes(Unknown Source) ~[?:1.8.0_202]     at sun.nio.cs.StreamDecoder.implRead(Unknown Source) ~[?:1.8.0_202]     at sun.nio.cs.StreamDecoder.read(Unknown Source) ~[?:1.8.0_202]     at java.io.InputStreamReader.read(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedReader.fill(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedReader.readLine(Unknown Source) ~[?:1.8.0_202]     at java.io.BufferedReader.readLine(Unknown Source) ~[?:1.8.0_202]     at net.minecraft.server.dedicated.DedicatedServer$2.run(DedicatedServer.java:105) [nz$2.class:?] [20:27:21] [Server thread/INFO]: Starts to replace vanilla recipe ingredients with ore ingredients. [20:27:21] [Server thread/INFO]: Successfully transformed 'net.minecraftforge.oredict.OreIngredient'. [20:27:21] [Server thread/INFO]: Invalid recipe found with multiple oredict ingredients in the same ingredient... [20:27:21] [Server thread/INFO]: Replaced 1227 ore ingredients [20:27:22] [Server thread/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraftforge.common.ForgeHooks ... [20:27:22] [Server thread/INFO]: Initializing MixinBooter's Mod Container. [20:27:22] [Server thread/INFO]: Searching H:\Downloads\1.0.980TekxitPiServer\1.0.980TekxitPiServer\.\mods for mods [20:27:22] [Server thread/INFO]: Searching H:\Downloads\1.0.980TekxitPiServer\1.0.980TekxitPiServer\.\mods\1.12.2 for mods [20:27:23] [Server thread/WARN]: Mod codechickenlib is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 3.2.3.358 [20:27:23] [Server thread/WARN]: Mod cosmeticarmorreworked is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.12.2-v5a [20:27:23] [Server thread/INFO]: Disabling mod ctgui it is client side only. [20:27:23] [Server thread/INFO]: Disabling mod ctm it is client side only. [20:27:24] [Server thread/WARN]: Mod enderstorage is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.4.6.137 [20:27:24] [Server thread/WARN]: Mod microblockcbe is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.6.2.83 [20:27:24] [Server thread/WARN]: Mod forgemultipartcbe is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.6.2.83 [20:27:24] [Server thread/WARN]: Mod minecraftmultipartcbe is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.6.2.83 [20:27:25] [Server thread/WARN]: Mod ironchest is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.12.2-7.0.67.844 [20:27:26] [Server thread/WARN]: Mod patchouli is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.0-23.6 [20:27:27] [Server thread/WARN]: Mod reachfix is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.0.9 [20:27:27] [Server thread/WARN]: Mod jeid is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.0.7 [20:27:27] [Server thread/WARN]: Mod simplyjetpacks is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.12.2-2.2.20.0 [20:27:27] [Server thread/ERROR]: Unable to read a class file correctly java.lang.IllegalArgumentException: null     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:185) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:168) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:439) ~[asm-debug-all-5.2.jar:5.2]     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:57) [ASMModParser.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.redirect$zdk000$redirectNewASMModParser(JarDiscoverer.java:561) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.findClassesASM(JarDiscoverer.java:102) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.discover(JarDiscoverer.java:77) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.ContainerType.findMods(ContainerType.java:47) [ContainerType.class:?]     at net.minecraftforge.fml.common.discovery.ModCandidate.explore(ModCandidate.java:74) [ModCandidate.class:?]     at net.minecraftforge.fml.common.discovery.ModDiscoverer.identifyMods(ModDiscoverer.java:93) [ModDiscoverer.class:?]     at net.minecraftforge.fml.common.Loader.identifyMods(Loader.java:427) [Loader.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:568) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:27] [Server thread/ERROR]: There was a problem reading the entry META-INF/versions/9/module-info.class in the jar .\mods\UniversalTweaks-1.12.2-1.9.0.jar - probably a corrupt zip net.minecraftforge.fml.common.LoaderException: java.lang.IllegalArgumentException     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:63) ~[ASMModParser.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.redirect$zdk000$redirectNewASMModParser(JarDiscoverer.java:561) ~[JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.findClassesASM(JarDiscoverer.java:102) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.discover(JarDiscoverer.java:77) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.ContainerType.findMods(ContainerType.java:47) [ContainerType.class:?]     at net.minecraftforge.fml.common.discovery.ModCandidate.explore(ModCandidate.java:74) [ModCandidate.class:?]     at net.minecraftforge.fml.common.discovery.ModDiscoverer.identifyMods(ModDiscoverer.java:93) [ModDiscoverer.class:?]     at net.minecraftforge.fml.common.Loader.identifyMods(Loader.java:427) [Loader.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:568) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] Caused by: java.lang.IllegalArgumentException     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:185) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:168) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:439) ~[asm-debug-all-5.2.jar:5.2]     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:57) ~[ASMModParser.class:?]     ... 13 more [20:27:27] [Server thread/WARN]: Zip file UniversalTweaks-1.12.2-1.9.0.jar failed to read properly, it will be ignored net.minecraftforge.fml.common.LoaderException: java.lang.IllegalArgumentException     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:63) ~[ASMModParser.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.redirect$zdk000$redirectNewASMModParser(JarDiscoverer.java:561) ~[JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.findClassesASM(JarDiscoverer.java:102) ~[JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.JarDiscoverer.discover(JarDiscoverer.java:77) [JarDiscoverer.class:?]     at net.minecraftforge.fml.common.discovery.ContainerType.findMods(ContainerType.java:47) [ContainerType.class:?]     at net.minecraftforge.fml.common.discovery.ModCandidate.explore(ModCandidate.java:74) [ModCandidate.class:?]     at net.minecraftforge.fml.common.discovery.ModDiscoverer.identifyMods(ModDiscoverer.java:93) [ModDiscoverer.class:?]     at net.minecraftforge.fml.common.Loader.identifyMods(Loader.java:427) [Loader.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:568) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] Caused by: java.lang.IllegalArgumentException     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:185) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:168) ~[asm-debug-all-5.2.jar:5.2]     at org.objectweb.asm.ClassReader.<init>(ClassReader.java:439) ~[asm-debug-all-5.2.jar:5.2]     at net.minecraftforge.fml.common.discovery.asm.ASMModParser.<init>(ASMModParser.java:57) ~[ASMModParser.class:?]     ... 13 more [20:27:28] [Server thread/WARN]: Mod watermedia is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 2.0.25 [20:27:28] [Server thread/INFO]: Forge Mod Loader has identified 154 mods to load [20:27:28] [Server thread/INFO]: Found mod(s) [futuremc] containing declared API package vazkii.quark.api (owned by quark) without associated API reference [20:27:28] [Server thread/WARN]: Missing English translation for FML: assets/fml/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for configanytime: assets/configanytime/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for redcore: assets/redcore/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for appleskin: assets/appleskin/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftbuilders: assets/buildcraftbuilders/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftcore: assets/buildcraftcore/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftenergy: assets/buildcraftenergy/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftfactory: assets/buildcraftfactory/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftrobotics: assets/buildcraftrobotics/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcraftsilicon: assets/buildcraftsilicon/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for buildcrafttransport: assets/buildcrafttransport/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for cctweaked: assets/cctweaked/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for codechickenlib: assets/codechickenlib/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for cofhcore: assets/cofhcore/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for craftstudioapi: assets/craftstudioapi/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for crafttweakerjei: assets/crafttweakerjei/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiobase: assets/enderiobase/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioconduitsappliedenergistics: assets/enderioconduitsappliedenergistics/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioconduitsopencomputers: assets/enderioconduitsopencomputers/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioconduitsrefinedstorage: assets/enderioconduitsrefinedstorage/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioconduits: assets/enderioconduits/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiointegrationforestry: assets/enderiointegrationforestry/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiointegrationtic: assets/enderiointegrationtic/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiointegrationticlate: assets/enderiointegrationticlate/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderioinvpanel: assets/enderioinvpanel/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiomachines: assets/enderiomachines/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for enderiopowertools: assets/enderiopowertools/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for entitypurger: assets/entitypurger/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for fastfurnace: assets/fastfurnace/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for forgelin: assets/forgelin/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for microblockcbe: assets/microblockcbe/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for forgemultipartcbe: assets/forgemultipartcbe/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for minecraftmultipartcbe: assets/minecraftmultipartcbe/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for gunpowderlib: assets/gunpowderlib/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for ic2-classic-spmod: assets/ic2-classic-spmod/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for instantunify: assets/instantunify/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for libraryex: assets/libraryex/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for mantle: assets/mantle/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for packcrashinfo: assets/packcrashinfo/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for placebo: assets/placebo/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for quickteleports: assets/quickteleports/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for reachfix: assets/reachfix/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for redstoneflux: assets/redstoneflux/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for regrowth: assets/regrowth/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for jeid: assets/jeid/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for ruins: assets/ruins/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for teslacorelib_registries: assets/teslacorelib_registries/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for tmel: assets/tmel/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for unidict: assets/unidict/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for vintagefix: assets/vintagefix/lang/en_us.lang [20:27:28] [Server thread/WARN]: Missing English translation for watermedia: assets/watermedia/lang/en_us.lang [20:27:28] [Server thread/INFO]: FML has found a non-mod file animania-1.12.2-extra-1.0.2.28.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file animania-1.12.2-farm-1.0.2.28.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file CTM-MC1.12.2-1.0.2.31.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file MathParser.org-mXparser-4.0.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file AutoSave-1.12.2-1.0.11.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file AutoConfig-1.12.2-1.0.2.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file ic2-tweaker-0.2.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file core-3.6.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: FML has found a non-mod file json-3.6.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [20:27:28] [Server thread/INFO]: Instantiating all ILateMixinLoader implemented classes... [20:27:28] [Server thread/INFO]: Instantiating class zone.rong.loliasm.core.LoliLateMixinLoader for its mixins. [20:27:28] [Server thread/INFO]: Adding mixins.modfixes_xu2.json mixin configuration. [20:27:28] [Server thread/INFO]: Adding mixins.searchtree_mod.json mixin configuration. [20:27:28] [Server thread/INFO]: Instantiating class org.embeddedt.vintagefix.core.LateMixins for its mixins. [20:27:28] [Server thread/INFO]: Adding mixins.vintagefix.late.json mixin configuration. [20:27:28] [Server thread/INFO]: Instantiating class mod.acgaming.universaltweaks.core.UTMixinLoader for its mixins. [20:27:28] [Server thread/INFO]: Adding mixins.mods.aoa3.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.botania.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.botania.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.cofhcore.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.cqrepoured.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.crafttweaker.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.extrautilities.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.industrialcraft.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.industrialforegoing.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.infernalmobs.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.quark.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.roost.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.storagedrawers.client.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.tconstruct.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.tconstruct.oredictcache.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.thaumcraft.entities.client.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.thermalexpansion.dupes.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.mods.thermalexpansion.json mixin configuration. [20:27:29] [Server thread/INFO]: Appending non-conventional mixin configurations... [20:27:29] [Server thread/INFO]: Adding mixins.jeid.twilightforest.json mixin configuration. [20:27:29] [Server thread/INFO]: Adding mixins.jeid.modsupport.json mixin configuration. [20:27:29] [Server thread/WARN]: Error loading class: ic2/core/block/machine/container/ContainerIndustrialWorkbench (java.lang.ClassNotFoundException: The specified class 'ic2.core.block.machine.container.ContainerIndustrialWorkbench' was not found) [20:27:29] [Server thread/WARN]: @Mixin target ic2.core.block.machine.container.ContainerIndustrialWorkbench was not found mixins.mods.industrialcraft.dupes.json:UTContainerIndustrialWorkbenchMixin from mod UniversalTweaks-1.12.2-1.9.0.jar [20:27:29] [Server thread/WARN]: Error loading class: com/shinoow/abyssalcraft/common/util/BiomeUtil (java.lang.ClassNotFoundException: The specified class 'com.shinoow.abyssalcraft.common.util.BiomeUtil' was not found) [20:27:29] [Server thread/WARN]: Error loading class: zmaster587/advancedRocketry/util/BiomeHandler (java.lang.ClassNotFoundException: The specified class 'zmaster587.advancedRocketry.util.BiomeHandler' was not found) [20:27:29] [Server thread/WARN]: Error loading class: zmaster587/advancedRocketry/network/PacketBiomeIDChange (java.lang.ClassNotFoundException: The specified class 'zmaster587.advancedRocketry.network.PacketBiomeIDChange' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/bewitchment/common/ritual/RitualBiomeShift (java.lang.ClassNotFoundException: The specified class 'com.bewitchment.common.ritual.RitualBiomeShift' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/bewitchment/common/world/BiomeChangingUtils (java.lang.ClassNotFoundException: The specified class 'com.bewitchment.common.world.BiomeChangingUtils' was not found) [20:27:29] [Server thread/WARN]: Error loading class: biomesoplenty/common/command/BOPCommand (java.lang.ClassNotFoundException: The specified class 'biomesoplenty.common.command.BOPCommand' was not found) [20:27:29] [Server thread/WARN]: Error loading class: biomesoplenty/common/init/ModBiomes (java.lang.ClassNotFoundException: The specified class 'biomesoplenty.common.init.ModBiomes' was not found) [20:27:29] [Server thread/WARN]: Error loading class: me/superckl/biometweaker/util/BiomeColorMappings (java.lang.ClassNotFoundException: The specified class 'me.superckl.biometweaker.util.BiomeColorMappings' was not found) [20:27:29] [Server thread/WARN]: @Mixin target me.superckl.biometweaker.util.BiomeColorMappings was not found mixins.jeid.modsupport.json:biometweaker.MixinBiomeColorMappings from mod unknown-owner [20:27:29] [Server thread/WARN]: Error loading class: me/superckl/biometweaker/util/BiomeHelper (java.lang.ClassNotFoundException: The specified class 'me.superckl.biometweaker.util.BiomeHelper' was not found) [20:27:29] [Server thread/WARN]: @Mixin target me.superckl.biometweaker.util.BiomeHelper was not found mixins.jeid.modsupport.json:biometweaker.MixinBiomeHelper from mod unknown-owner [20:27:29] [Server thread/WARN]: Error loading class: me/superckl/biometweaker/server/command/CommandSetBiome (java.lang.ClassNotFoundException: The specified class 'me.superckl.biometweaker.server.command.CommandSetBiome' was not found) [20:27:29] [Server thread/WARN]: @Mixin target me.superckl.biometweaker.server.command.CommandSetBiome was not found mixins.jeid.modsupport.json:biometweaker.MixinCommandSetBiome from mod unknown-owner [20:27:29] [Server thread/WARN]: Error loading class: org/dave/compactmachines3/utility/ChunkUtils (java.lang.ClassNotFoundException: The specified class 'org.dave.compactmachines3.utility.ChunkUtils' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/cutievirus/creepingnether/entity/CorruptorAbstract (java.lang.ClassNotFoundException: The specified class 'com.cutievirus.creepingnether.entity.CorruptorAbstract' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/world/cube/Cube (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.world.cube.Cube' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/api/worldgen/CubePrimer (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.api.worldgen.CubePrimer' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/server/chunkio/IONbtReader (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.server.chunkio.IONbtReader' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/server/chunkio/IONbtWriter (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.server.chunkio.IONbtWriter' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/worldgen/generator/vanilla/VanillaCompatibilityGenerator (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.worldgen.generator.vanilla.VanillaCompatibilityGenerator' was not found) [20:27:29] [Server thread/WARN]: Error loading class: io/github/opencubicchunks/cubicchunks/core/network/WorldEncoder (java.lang.ClassNotFoundException: The specified class 'io.github.opencubicchunks.cubicchunks.core.network.WorldEncoder' was not found) [20:27:29] [Server thread/WARN]: Error loading class: org/cyclops/cyclopscore/helper/WorldHelpers (java.lang.ClassNotFoundException: The specified class 'org.cyclops.cyclopscore.helper.WorldHelpers' was not found) [20:27:29] [Server thread/WARN]: Error loading class: androsa/gaiadimension/world/layer/GenLayerGDRiverMix (java.lang.ClassNotFoundException: The specified class 'androsa.gaiadimension.world.layer.GenLayerGDRiverMix' was not found) [20:27:29] [Server thread/WARN]: Error loading class: climateControl/DimensionManager (java.lang.ClassNotFoundException: The specified class 'climateControl.DimensionManager' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/zeitheron/hammercore/utils/WorldLocation (java.lang.ClassNotFoundException: The specified class 'com.zeitheron.hammercore.utils.WorldLocation' was not found) [20:27:29] [Server thread/WARN]: @Mixin target com.zeitheron.hammercore.utils.WorldLocation was not found mixins.jeid.modsupport.json:hammercore.MixinWorldLocation from mod unknown-owner [20:27:29] [Server thread/WARN]: Error loading class: journeymap/client/model/ChunkMD (java.lang.ClassNotFoundException: The specified class 'journeymap.client.model.ChunkMD' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/xcompwiz/mystcraft/symbol/symbols/SymbolFloatingIslands$BiomeReplacer (java.lang.ClassNotFoundException: The specified class 'com.xcompwiz.mystcraft.symbol.symbols.SymbolFloatingIslands$BiomeReplacer' was not found) [20:27:29] [Server thread/WARN]: Error loading class: thaumcraft/common/lib/utils/Utils (java.lang.ClassNotFoundException: The specified class 'thaumcraft.common.lib.utils.Utils' was not found) [20:27:29] [Server thread/WARN]: Error loading class: thebetweenlands/common/block/terrain/BlockSpreadingDeath (java.lang.ClassNotFoundException: The specified class 'thebetweenlands.common.block.terrain.BlockSpreadingDeath' was not found) [20:27:29] [Server thread/WARN]: Error loading class: thebetweenlands/common/world/gen/layer/GenLayerVoronoiZoomInstanced (java.lang.ClassNotFoundException: The specified class 'thebetweenlands.common.world.gen.layer.GenLayerVoronoiZoomInstanced' was not found) [20:27:29] [Server thread/WARN]: Error loading class: cn/mcmod/tofucraft/world/gen/layer/GenLayerRiverMix (java.lang.ClassNotFoundException: The specified class 'cn.mcmod.tofucraft.world.gen.layer.GenLayerRiverMix' was not found) [20:27:29] [Server thread/WARN]: Error loading class: cn/mcmod/tofucraft/world/gen/layer/GenLayerTofuVoronoiZoom (java.lang.ClassNotFoundException: The specified class 'cn.mcmod.tofucraft.world.gen.layer.GenLayerTofuVoronoiZoom' was not found) [20:27:29] [Server thread/WARN]: Error loading class: net/tropicraft/core/common/worldgen/genlayer/GenLayerTropiVoronoiZoom (java.lang.ClassNotFoundException: The specified class 'net.tropicraft.core.common.worldgen.genlayer.GenLayerTropiVoronoiZoom' was not found) [20:27:29] [Server thread/WARN]: Error loading class: com/sk89q/worldedit/blocks/BaseBlock (java.lang.ClassNotFoundException: The specified class 'com.sk89q.worldedit.blocks.BaseBlock' was not found) [20:27:29] [Server thread/WARN]: Not applying mixin 'org.embeddedt.vintagefix.mixin.bugfix.extrautils.TileMachineSlotMixin' as 'mixin.bugfix.extrautils' is disabled in config [20:27:29] [Server thread/WARN]: Error loading class: com/agricraft/agricore/util/ResourceHelper (java.lang.ClassNotFoundException: The specified class 'com.agricraft.agricore.util.ResourceHelper' was not found) [20:27:29] [Server thread/WARN]: Error loading class: pl/asie/debark/util/ModelLoaderEarlyView (java.lang.ClassNotFoundException: The specified class 'pl.asie.debark.util.ModelLoaderEarlyView' was not found) [20:27:30] [Server thread/INFO]: Attempting connection with missing mods [minecraft, mcp, FML, forge, creativecoredummy, micdoodlecore, littletilescore, mixinbooter, openmodscore, randompatches, configanytime, redcore, advancedsolars, aether_legacy, animania, appleskin, appliedenergistics2, asr, atum, autoreglib, backpack, badwithernocookiereloaded, battletowers, baubles, betterinvisibility, bibliocraft, bookshelf, botania, buildcraftcompat, buildcraftbuilders, buildcraftcore, buildcraftenergy, buildcraftfactory, buildcraftlib, buildcraftrobotics, buildcraftsilicon, buildcrafttransport, cctweaked, computercraft, loliasm, chesttransporter, chisel, chococraft, cqrepoured, codechickenlib, cofhcore, cofhworld, cosmeticarmorreworked, craftstudioapi, crafttweaker, crafttweakerjei, creativecore, dimdoors, eplus, endercore, enderio, enderiobase, enderioconduitsappliedenergistics, enderioconduitsopencomputers, enderioconduitsrefinedstorage, enderioconduits, enderiointegrationforestry, enderiointegrationtic, enderiointegrationticlate, enderioinvpanel, enderiomachines, enderiopowertools, enderstorage, energyconverters, entitypurger, extrautils2, eyesinthedarkness, fastfurnace, fluidlogged_api, forgelin, microblockcbe, forgemultipartcbe, minecraftmultipartcbe, cfm, futuremc, galacticraftcore, galacticraftplanets, geckolib3, gbook, gunpowderlib, jei, hexxitgear, ic2, ic2-classic-spmod, ichunutil, industrialforegoing, infernalmobs, instantunify, integrationforegoing, inventorysorter, ironchest, jrftl, libraryex, littleframes, littletiles, mantle, natura, naturescompass, netherendingores, netherex, nvlforcefields, nyx, oe, openblocks, openmods, oreberries, packcrashinfo, harvestcraft, patchouli, placebo, quark, quickhomes, quickteleports, railcraft, reachfix, redstonearsenal, redstoneflux, redwoods, reforged, regrowth, xreliquary, rotm, jeid, ruins, simplyjetpacks, soulshardsrespawn, tconstruct, teslacorelib, teslacorelib_registries, thermaldynamics, thermalexpansion, thermalfoundation, tmel, traverse, treechop, trumpetskeleton, twilightforest, unidict, universaltweaks, villagenames, vintagefix, wanionlib, watermedia, weirdinggadget, worsebarrels, wrcbe, recipehandler, structurize, minecolonies] at CLIENT [20:27:30] [Server thread/INFO]: Attempting connection with missing mods [minecraft, mcp, FML, forge, creativecoredummy, micdoodlecore, littletilescore, mixinbooter, openmodscore, randompatches, configanytime, redcore, advancedsolars, aether_legacy, animania, appleskin, appliedenergistics2, asr, atum, autoreglib, backpack, badwithernocookiereloaded, battletowers, baubles, betterinvisibility, bibliocraft, bookshelf, botania, buildcraftcompat, buildcraftbuilders, buildcraftcore, buildcraftenergy, buildcraftfactory, buildcraftlib, buildcraftrobotics, buildcraftsilicon, buildcrafttransport, cctweaked, computercraft, loliasm, chesttransporter, chisel, chococraft, cqrepoured, codechickenlib, cofhcore, cofhworld, cosmeticarmorreworked, craftstudioapi, crafttweaker, crafttweakerjei, creativecore, dimdoors, eplus, endercore, enderio, enderiobase, enderioconduitsappliedenergistics, enderioconduitsopencomputers, enderioconduitsrefinedstorage, enderioconduits, enderiointegrationforestry, enderiointegrationtic, enderiointegrationticlate, enderioinvpanel, enderiomachines, enderiopowertools, enderstorage, energyconverters, entitypurger, extrautils2, eyesinthedarkness, fastfurnace, fluidlogged_api, forgelin, microblockcbe, forgemultipartcbe, minecraftmultipartcbe, cfm, futuremc, galacticraftcore, galacticraftplanets, geckolib3, gbook, gunpowderlib, jei, hexxitgear, ic2, ic2-classic-spmod, ichunutil, industrialforegoing, infernalmobs, instantunify, integrationforegoing, inventorysorter, ironchest, jrftl, libraryex, littleframes, littletiles, mantle, natura, naturescompass, netherendingores, netherex, nvlforcefields, nyx, oe, openblocks, openmods, oreberries, packcrashinfo, harvestcraft, patchouli, placebo, quark, quickhomes, quickteleports, railcraft, reachfix, redstonearsenal, redstoneflux, redwoods, reforged, regrowth, xreliquary, rotm, jeid, ruins, simplyjetpacks, soulshardsrespawn, tconstruct, teslacorelib, teslacorelib_registries, thermaldynamics, thermalexpansion, thermalfoundation, tmel, traverse, treechop, trumpetskeleton, twilightforest, unidict, universaltweaks, villagenames, vintagefix, wanionlib, watermedia, weirdinggadget, worsebarrels, wrcbe, recipehandler, structurize, minecolonies] at SERVER [20:27:30] [Server thread/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.network.PacketBuffer ... [20:27:30] [Server thread/INFO]: [appeng.core.transformer.AE2ELTransformer:spliceClasses:128]: Spliced in METHOD: net.minecraft.network.PacketBuffer.func_150791_c [20:27:30] [Server thread/INFO]: [appeng.core.transformer.AE2ELTransformer:spliceClasses:128]: Spliced in METHOD: net.minecraft.network.PacketBuffer.func_150788_a [20:27:33] [Server thread/INFO]: Transforming net.minecraft.util.DamageSource [20:27:33] [Server thread/INFO]: Applying Transformation to method (Names [causePlayerDamage, func_76365_a] Descriptor (Lnet/minecraft/entity/player/EntityPlayer;)Lnet/minecraft/util/DamageSource;) [20:27:33] [Server thread/INFO]: Located Method, patching... [20:27:33] [Server thread/INFO]: Patch result: true [20:27:34] [Server thread/ERROR]: The mod redstoneflux is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source RedstoneFlux-1.12-2.1.1.1-universal.jar, however there is no signature matching that description [20:27:34] [Server thread/INFO]: Skipping Pulse craftingtweaksIntegration; missing dependency: craftingtweaks [20:27:35] [Server thread/INFO]: Loaded Addon Animania - Extra with id extra and Class com.animania.addons.extra.ExtraAddon [20:27:35] [Server thread/INFO]: Loaded Addon Animania - Farm with id farm and Class com.animania.addons.farm.FarmAddon [20:27:35] [Server thread/ERROR]: The mod appliedenergistics2 is expecting signature dfa4d3ac143316c6f32aa1a1beda1e34d42132e5 for source appliedenergistics2-rv6-stable-7-extended_life-v0.55.29.jar, however there is no signature matching that description [20:27:35] [Server thread/ERROR]: The mod backpack is expecting signature @FINGERPRINT@ for source backpack-3.0.2-1.12.2.jar, however there is no signature matching that description [20:27:37] [Server thread/INFO]: [com.creativemd.creativecore.transformer.CreativeTransformer:transform:49]: [littletiles] Patched net.minecraft.network.NetHandlerPlayServer ... [20:27:37] [Server thread/ERROR]: The mod cofhworld is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source CoFHWorld-1.12.2-1.4.0.1-universal.jar, however there is no signature matching that description [20:27:37] [Server thread/ERROR]: The mod thermalfoundation is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source ThermalFoundation-1.12.2-2.6.7.1-universal.jar, however there is no signature matching that description [20:27:37] [Server thread/ERROR]: The mod thermalexpansion is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source ThermalExpansion-1.12.2-5.5.7.1-universal.jar, however there is no signature matching that description [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.power.forge.item.InternalPoweredItemMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.item.darksteel.upgrade.DarkSteelUpgradeMixin [20:27:38] [Server thread/INFO]: Registered mixin. [20:27:38] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.base.integration.thaumcraft.ThaumcraftArmorMixin [20:27:38] [Server thread/INFO]: Skipping mixin due to missing dependencies: [thaumcraft] [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.power.forge.item.InternalPoweredItemMixin. [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.power.forge.item.IInternalPoweredItem [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin. [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin. [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin. [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.paint.MobilityFlagForPaintedBlocksMixin. [20:27:38] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.base.item.darksteel.upgrade.DarkSteelUpgradeMixin. [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.api.upgrades.IDarkSteelItem [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.paint.IPaintable$INonSolidBlockPaintableBlock [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.paint.IPaintable$IBlockPaintableBlock [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.paint.IPaintable$ITexturePaintableBlock [20:27:38] [Server thread/INFO]: Found interface target crazypants.enderio.base.paint.IPaintable$ISolidBlockPaintableBlock [20:27:38] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderio is not accessible java.lang.NoSuchMethodException: crazypants.enderio.base.EnderIO.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:38] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemInventoryCharger from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:27:38] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemInventoryCharger (DarkSteelUpgradeMixin) [20:27:38] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:27:38] [Server thread/INFO]: Successfully patched. [20:27:39] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelCrook from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:27:39] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelCrook (DarkSteelUpgradeMixin) [20:27:39] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:27:39] [Server thread/INFO]: Successfully patched. [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiointegrationtic is not accessible java.lang.NoSuchMethodException: crazypants.enderio.integration.tic.EnderIOIntegrationTic.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioconduits is not accessible java.lang.NoSuchMethodException: crazypants.enderio.conduits.EnderIOConduits.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.conduit.me.conduit.MEMixin [20:27:39] [Server thread/INFO]: Registered mixin. [20:27:39] [Server thread/INFO]: Found mixin source class data for crazypants.enderio.conduit.me.conduit.MEMixin. [20:27:39] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.conduits.conduit.TileConduitBundle (MEMixin) [20:27:39] [Server thread/INFO]: Added 1 new interface: [appeng/api/networking/IGridHost] [20:27:39] [Server thread/INFO]: Added 3 new methods: [getGridNode(Lappeng/api/util/AEPartLocation;)Lappeng/api/networking/IGridNode;, getCableConnectionType(Lappeng/api/util/AEPartLocation;)Lappeng/api/util/AECableType;, securityBreak()V] [20:27:39] [Server thread/INFO]: Successfully patched. [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioconduitsappliedenergistics is not accessible java.lang.NoSuchMethodException: crazypants.enderio.conduit.me.EnderIOConduitsAppliedEnergistics.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.conduit.oc.conduit.OCMixin [20:27:39] [Server thread/INFO]: Skipping mixin due to missing dependencies: [opencomputersapi|network] [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioconduitsopencomputers is not accessible java.lang.NoSuchMethodException: crazypants.enderio.conduit.oc.EnderIOConduitsOpenComputers.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioconduitsrefinedstorage is not accessible java.lang.NoSuchMethodException: crazypants.enderio.conduit.refinedstorage.EnderIOConduitsRefinedStorage.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:39] [Server thread/INFO]: Found annotation mixin: crazypants.enderio.integration.forestry.upgrades.ArmorMixin [20:27:39] [Server thread/INFO]: Skipping mixin due to missing dependencies: [forestry] [20:27:39] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiointegrationforestry is not accessible java.lang.NoSuchMethodException: crazypants.enderio.integration.forestry.EnderIOIntegrationForestry.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:40] [Server thread/INFO]: Skipping Pulse chiselsandbitsIntegration; missing dependency: chiselsandbits [20:27:40] [Server thread/INFO]: Skipping Pulse craftingtweaksIntegration; missing dependency: craftingtweaks [20:27:40] [Server thread/INFO]: Skipping Pulse wailaIntegration; missing dependency: waila [20:27:40] [Server thread/INFO]: Skipping Pulse theoneprobeIntegration; missing dependency: theoneprobe [20:27:40] [Server thread/INFO]: Preparing to take over the world [20:27:40] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiointegrationticlate is not accessible java.lang.NoSuchMethodException: crazypants.enderio.integration.tic.EnderIOIntegrationTicLate.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:40] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderioinvpanel is not accessible java.lang.NoSuchMethodException: crazypants.enderio.invpanel.EnderIOInvPanel.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:40] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiomachines is not accessible java.lang.NoSuchMethodException: crazypants.enderio.machines.EnderIOMachines.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:41] [Server thread/WARN]: The declared version check handler method checkModLists on network mod id enderiopowertools is not accessible java.lang.NoSuchMethodException: crazypants.enderio.powertools.EnderIOPowerTools.checkModLists(java.util.Map, net.minecraftforge.fml.relauncher.Side)     at java.lang.Class.getDeclaredMethod(Unknown Source) ~[?:1.8.0_202]     at net.minecraftforge.fml.common.network.internal.NetworkModHolder.<init>(NetworkModHolder.java:246) [NetworkModHolder.class:?]     at net.minecraftforge.fml.common.network.NetworkRegistry.register(NetworkRegistry.java:299) [NetworkRegistry.class:?]     at net.minecraftforge.fml.common.FMLModContainer.constructMod(FMLModContainer.java:606) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor5.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [LoadController.class:?]     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [LoadController.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_202]     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) ~[?:1.8.0_202]     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:1.8.0_202]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [minecraft_server.1.12.2.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [minecraft_server.1.12.2.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [minecraft_server.1.12.2.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.loadMods(Loader.java:595) [Loader.class:?]     at net.minecraftforge.fml.server.FMLServerHandler.beginServerLoading(FMLServerHandler.java:98) [FMLServerHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.onServerStart(FMLCommonHandler.java:333) [FMLCommonHandler.class:?]     at net.minecraft.server.dedicated.DedicatedServer.init(DedicatedServer.java:125) [nz.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Unknown Source) [?:1.8.0_202] [20:27:43] [Server thread/WARN]: Annotated class 'net.ndrei.teslacorelib.blocks.multipart.MultiPartBlockEvents' not found! [20:27:45] [Server thread/INFO]: |----------------------------------------------------------------------------------------------------| [20:27:45] [Server thread/INFO]: | Modpack Information                                                                                | [20:27:45] [Server thread/INFO]: | Modpack: [Tekxit 3.14] Version: [1.0.960] by author [Slayer5934 / Discord: OmnipotentChikken#1691] | [20:27:45] [Server thread/INFO]: |----------------------------------------------------------------------------------------------------| [20:27:45] [Server thread/ERROR]: The mod redstonearsenal is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source RedstoneArsenal-1.12.2-2.6.6.1-universal.jar, however there is no signature matching that description [20:27:46] [Server thread/ERROR]: The mod thermaldynamics is expecting signature 8a6abf2cb9e141b866580d369ba6548732eff25f for source ThermalDynamics-1.12.2-2.5.6.1-universal.jar, however there is no signature matching that description [20:27:47] [Server thread/WARN]: Not applying mixin 'mixin.version_protest.LoaderChange' as 'mixin.version_protest' is disabled in config [20:27:47] [Server thread/INFO]: Starting... [20:27:47] [Server thread/INFO]: Running 'WATERMeDIA' on 'Forge' [20:27:47] [Server thread/INFO]: WaterMedia version '2.0.25' [20:27:47] [Server thread/WARN]: Environment not detected, be careful about it [20:27:47] [Server thread/ERROR]: ###########################  ILLEGAL ENVIRONMENT  ################################### [20:27:47] [Server thread/ERROR]: Mod is not designed to run on SERVERS. remove this mod from server to stop crashes [20:27:47] [Server thread/ERROR]: If dependant mods throws error loading our classes then report it to the creator [20:27:47] [Server thread/ERROR]: ###########################  ILLEGAL ENVIRONMENT  ################################### [20:27:47] [Server thread/WARN]: Environment was init, don't need to worry about anymore [20:27:47] [WATERCoRE-worker-1/WARN]: Rustic version detected, running ASYNC bootstrap [20:27:49] [Server thread/INFO]: Processing ObjectHolder annotations [20:27:49] [Server thread/INFO]: Found 2448 ObjectHolder annotations [20:27:49] [Server thread/INFO]: Identifying ItemStackHolder annotations [20:27:49] [Server thread/INFO]: Found 70 ItemStackHolder annotations [20:27:50] [Server thread/INFO]: Configured a dormant chunk cache size of 10 [20:27:50] [Forge Version Check/INFO]: [thermalexpansion] Starting version check at https://raw.github.com/cofh/version/master/thermalexpansion_update.json [20:27:50] [Server thread/INFO]: Loading Plugin: [name=The One Probe, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Actually Additions, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Baubles Plugin, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=JustEnoughItems, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Buildcraft Plugin, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Forestry, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Immersiveengineering, version=1.0] [20:27:50] [Server thread/INFO]: Loading Plugin: [name=Teleporter Compat, version=1.0] [20:27:51] [Forge Version Check/INFO]: [thermalexpansion] Found status: UP_TO_DATE Target: null [20:27:51] [Forge Version Check/INFO]: [railcraft] Starting version check at http://www.railcraft.info/railcraft_versions [20:27:51] [Forge Version Check/INFO]: [codechickenlib] Starting version check at http://chickenbones.net/Files/notification/version.php?query=forge&version=1.12&file=CodeChickenLib [20:27:52] [Forge Version Check/INFO]: [codechickenlib] Found status: BETA Target: null [20:27:52] [Forge Version Check/INFO]: [cofhcore] Starting version check at https://raw.github.com/cofh/version/master/cofhcore_update.json [20:27:52] [Forge Version Check/INFO]: [cofhcore] Found status: UP_TO_DATE Target: null [20:27:52] [Forge Version Check/INFO]: [redcore] Starting version check at https://forge.curseupdate.com/873867/redcore [20:27:53] [Forge Version Check/INFO]: [redcore] Found status: BETA_OUTDATED Target: 0.7-Dev-1 [20:27:53] [Forge Version Check/INFO]: [buildcraftlib] Starting version check at https://mod-buildcraft.com/version/versions.json [20:27:54] [Forge Version Check/INFO]: [buildcraftlib] Found status: UP_TO_DATE Target: null [20:27:54] [Forge Version Check/INFO]: [twilightforest] Starting version check at https://raw.githubusercontent.com/TeamTwilight/twilightforest/1.12.x/update.json [20:27:54] [Forge Version Check/INFO]: [twilightforest] Found status: AHEAD Target: null [20:27:54] [Forge Version Check/INFO]: [redstonearsenal] Starting version check at https://raw.github.com/cofh/version/master/redstonearsenal_update.json [20:27:54] [Forge Version Check/INFO]: [redstonearsenal] Found status: UP_TO_DATE Target: null [20:27:54] [Forge Version Check/INFO]: [quickhomes] Starting version check at http://modmanagement.net16.net/updateJSON2.json [20:27:57] [Server thread/INFO]: Loaded compatibility for mod Baubles. [20:27:57] [Server thread/INFO]: Loaded compatibility for mod Chisel. [20:27:57] [Server thread/INFO]: Skipped compatibility for mod Forestry. [20:27:57] [Server thread/INFO]: Skipped compatibility for mod Immersive Engineering. [20:27:57] [Server thread/INFO]: Loaded compatibility for mod Just Enough Items. [20:27:57] [Server thread/INFO]: Loaded compatibility for mod Tinkers' Construct. [20:27:57] [Server thread/INFO]: Skipped compatibility for mod Thaumcraft. [20:27:59] [Server thread/INFO]: Pre Initialization ( started ) [20:28:00] [Server thread/INFO]: Pre Initialization ( ended after 1589ms ) [20:28:01] [Server thread/INFO]: 'Animals eat floor food' is forcefully disabled as it's incompatible with the following loaded mods: [animania] [20:28:01] [Server thread/INFO]: 'Ender watcher' is forcefully disabled as it's incompatible with the following loaded mods: [botania] [20:28:01] [Server thread/INFO]: 'Dispensers place seeds' is forcefully disabled as it's incompatible with the following loaded mods: [botania, animania] [20:28:01] [Server thread/INFO]: 'Inventory sorting' is forcefully disabled as it's incompatible with the following loaded mods: [inventorysorter] [20:28:02] [Server thread/INFO]: 'Food tooltip' is forcefully disabled as it's incompatible with the following loaded mods: [appleskin] [20:28:02] [Server thread/INFO]: Module vanity is enabled [20:28:02] [Server thread/INFO]: Module world is enabled [20:28:02] [Server thread/INFO]: Module automation is enabled [20:28:02] [Server thread/INFO]: Module management is enabled [20:28:02] [Server thread/INFO]: Module decoration is enabled [20:28:02] [Server thread/INFO]: Module building is enabled [20:28:02] [Server thread/INFO]: Module tweaks is enabled [20:28:02] [Server thread/INFO]: Module misc is enabled [20:28:02] [Server thread/INFO]: Module client is enabled [20:28:02] [Server thread/INFO]: Module experimental is disabled [20:28:03] [Server thread/INFO]:  [20:28:03] [Server thread/INFO]: Starting BuildCraft 7.99.24.8 [20:28:03] [Server thread/INFO]: Copyright (c) the BuildCraft team, 2011-2018 [20:28:03] [Server thread/INFO]: https://www.mod-buildcraft.com [20:28:03] [Server thread/INFO]: Detailed Build Information: [20:28:03] [Server thread/INFO]:   Branch HEAD [20:28:03] [Server thread/INFO]:   Commit 68370005a10488d02a4bb4b8df86bbc62633d216 [20:28:03] [Server thread/INFO]:     Bump version for release relase, fix a java 13+ compile error, tweak changelog, and fix engines chaining one block more than they should have. [20:28:03] [Server thread/INFO]:     committed by AlexIIL [20:28:03] [Server thread/INFO]:  [20:28:03] [Server thread/INFO]: Loaded Modules: [20:28:03] [Server thread/INFO]:   - lib [20:28:03] [Server thread/INFO]:   - core [20:28:03] [Server thread/INFO]:   - builders [20:28:03] [Server thread/INFO]:   - energy [20:28:03] [Server thread/INFO]:   - factory [20:28:03] [Server thread/INFO]:   - robotics [20:28:03] [Server thread/INFO]:   - silicon [20:28:03] [Server thread/INFO]:   - transport [20:28:03] [Server thread/INFO]:   - compat [20:28:03] [Server thread/INFO]: Missing Modules: [20:28:03] [Server thread/INFO]:  [20:28:03] [Forge Version Check/INFO]: [gbook] Starting version check at https://raw.githubusercontent.com/gigaherz/guidebook/master/update.json [20:28:04] [Forge Version Check/INFO]: [gbook] Found status: AHEAD Target: null [20:28:04] [Forge Version Check/INFO]: [randompatches] Starting version check at https://raw.githubusercontent.com/TheRandomLabs/RandomPatches/misc/versions.json [20:28:04] [Server thread/INFO]: [debugger] Not a dev environment! [20:28:04] [Server thread/INFO]: Configured a dormant chunk cache size of 10 [20:28:05] [Forge Version Check/INFO]: [randompatches] Found status: UP_TO_DATE Target: null [20:28:05] [Forge Version Check/INFO]: [jeid] Starting version check at https://gist.githubusercontent.com/Runemoro/67b1d8d31af58e9d35410ef60b2017c3/raw/1fe08a6c45a1f481a8a2a8c71e52d4245dcb7713/jeid_update.json [20:28:05] [Forge Version Check/INFO]: [jeid] Found status: AHEAD Target: null [20:28:05] [Forge Version Check/INFO]: [openblocks] Starting version check at http://openmods.info/versions/openblocks.json [20:28:06] [Forge Version Check/INFO]: [openblocks] Found status: AHEAD Target: null [20:28:06] [Forge Version Check/INFO]: [crafttweaker] Starting version check at https://updates.blamejared.com/get?n=crafttweaker&gv=1.12.2 [20:28:06] [Server thread/INFO]:  [20:28:06] [Server thread/INFO]: Starting BuildCraftCompat 7.99.24.8 [20:28:06] [Server thread/INFO]: Copyright (c) the BuildCraft team, 2011-2017 [20:28:06] [Server thread/INFO]: https://www.mod-buildcraft.com [20:28:06] [Server thread/INFO]: Detailed Build Information: [20:28:06] [Server thread/INFO]:   Branch 8.0.x-1.12.2 [20:28:06] [Server thread/INFO]:   Commit 16adfdb3d6a3362ba3659be7d5e9b7d12af7eee5 [20:28:06] [Server thread/INFO]:     Bump for release. [20:28:06] [Server thread/INFO]:     committed by AlexIIL [20:28:06] [Server thread/INFO]:  [20:28:06] [Server thread/INFO]: [compat] Module list: [20:28:06] [Server thread/INFO]: [compat]   x forestry (It cannot load) [20:28:06] [Server thread/INFO]: [compat]   x theoneprobe (It cannot load) [20:28:06] [Server thread/INFO]: [compat]   + crafttweaker [20:28:06] [Server thread/INFO]: [compat]   + ic2 [20:28:06] [Server thread/INFO]: Applying holder lookups [20:28:06] [Server thread/INFO]: Holder lookups applied [20:28:06] [Forge Version Check/INFO]: [crafttweaker] Found status: BETA Target: null [20:28:06] [Forge Version Check/INFO]: [enderstorage] Starting version check at http://chickenbones.net/Files/notification/version.php?query=forge&version=1.12&file=EnderStorage [20:28:06] [Server thread/INFO]: Registering default Feature Templates... [20:28:06] [Server thread/INFO]: Registering default World Generators... [20:28:07] [Server thread/INFO]: Verifying or creating base world generation directory... [20:28:07] [Server thread/INFO]: Complete. [20:28:07] [Forge Version Check/INFO]: [enderstorage] Found status: BETA Target: null [20:28:07] [Forge Version Check/INFO]: [openmods] Starting version check at http://openmods.info/versions/openmodslib.json [20:28:07] [Forge Version Check/INFO]: [openmods] Found status: AHEAD Target: null [20:28:07] [Forge Version Check/INFO]: [industrialforegoing] Starting version check at https://raw.githubusercontent.com/Buuz135/Industrial-Foregoing/master/update.json [20:28:07] [Forge Version Check/INFO]: [industrialforegoing] Found status: BETA Target: null [20:28:07] [Forge Version Check/INFO]: [cofhworld] Starting version check at https://raw.github.com/cofh/version/master/cofhworld_update.json [20:28:07] [Forge Version Check/INFO]: [cofhworld] Found status: UP_TO_DATE Target: null [20:28:07] [Forge Version Check/INFO]: [reforged] Starting version check at https://raw.githubusercontent.com/ThexXTURBOXx/UpdateJSONs/master/reforged.json [20:28:08] [Forge Version Check/INFO]: [reforged] Found status: UP_TO_DATE Target: null [20:28:08] [Forge Version Check/INFO]: [aether_legacy] Starting version check at https://raw.githubusercontent.com/Modding-Legacy/Aether-Legacy/master/aether-legacy-changelog.json [20:28:08] [Forge Version Check/INFO]: [thermaldynamics] Starting version check at https://raw.github.com/cofh/version/master/thermaldynamics_update.json [20:28:08] [Forge Version Check/INFO]: [thermaldynamics] Found status: UP_TO_DATE Target: null [20:28:08] [Forge Version Check/INFO]: [craftstudioapi] Starting version check at https://leviathan-studio.com/craftstudioapi/update.json [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedFence from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedFence (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedFenceGate from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedFenceGate (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedWall from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedWall (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedStairs from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedStairs (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedSlab from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedSlab (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedGlowstone from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedGlowstone (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedGlowstone$BlockPaintedGlowstoneNonSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedGlowstone$BlockPaintedGlowstoneNonSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedGlowstone$BlockPaintedGlowstoneSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedGlowstone$BlockPaintedGlowstoneSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedCarpet from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedCarpet (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedPressurePlate from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedPressurePlate (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedRedstone from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedRedstone (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedRedstone$BlockPaintedRedstoneNonSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedRedstone$BlockPaintedRedstoneNonSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedRedstone$BlockPaintedRedstoneSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedRedstone$BlockPaintedRedstoneSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedStone from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedStone (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedSand from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedSand (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedTrapDoor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedTrapDoor (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedDoor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ITexturePaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedDoor (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedWorkbench from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedWorkbench (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian$BlockPaintedReinforcedObsidianNonSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian$BlockPaintedReinforcedObsidianNonSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian$BlockPaintedReinforcedObsidianSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedReinforcedObsidian$BlockPaintedReinforcedObsidianSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedPackedIce from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedPackedIce (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedPackedIce$BlockPaintedPackedIceNonSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedPackedIce$BlockPaintedPackedIceNonSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.painted.BlockPaintedPackedIce$BlockPaintedPackedIceSolid from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.painted.BlockPaintedPackedIce$BlockPaintedPackedIceSolid (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.travelstaff.ItemTravelStaff from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.travelstaff.ItemTravelStaff (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.power.forge.item.AbstractPoweredItem from implemented interfaces: [crazypants/enderio/base/power/forge/item/IInternalPoweredItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.power.forge.item.AbstractPoweredItem (InternalPoweredItemMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.material.glass.BlockPaintedFusedQuartz from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.material.glass.BlockPaintedFusedQuartz (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.block.detector.BlockDetector from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.block.detector.BlockDetector (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelArmor from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelArmor (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 4 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, addCommonEntries(Lnet/minecraft/item/ItemStack;Lnet/minecraft/entity/player/EntityPlayer;Ljava/util/List;Z)V, addBasicEntries(Lnet/minecraft/item/ItemStack;Lnet/minecraft/entity/player/EntityPlayer;Ljava/util/List;Z)V, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelShield from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelShield (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 2 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelSword from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelSword (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 2 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelPickaxe from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelPickaxe (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 5 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, addCommonEntries(Lnet/minecraft/item/ItemStack;Lnet/minecraft/entity/player/EntityPlayer;Ljava/util/List;Z)V, addBasicEntries(Lnet/minecraft/item/ItemStack;Lnet/minecraft/entity/player/EntityPlayer;Ljava/util/List;Z)V, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelAxe from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelAxe (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelBow from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelBow (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelShears from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelShears (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelTreetap from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelTreetap (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.darksteel.ItemDarkSteelHand from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.darksteel.ItemDarkSteelHand (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.item.staffoflevity.ItemStaffOfLevity from implemented interfaces: [crazypants/enderio/api/upgrades/IDarkSteelItem] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.item.staffoflevity.ItemStaffOfLevity (DarkSteelUpgradeMixin) [20:28:11] [Server thread/INFO]: Added 3 new methods: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;, getAttributeModifiers(Lnet/minecraft/inventory/EntityEquipmentSlot;Lnet/minecraft/item/ItemStack;)Lcom/google/common/collect/Multimap;, openUpgradeGui(Lnet/minecraft/entity/player/EntityPlayer;Lnet/minecraft/inventory/EntityEquipmentSlot;)V] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:11] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.conduits.conduit.BlockConduitBundle from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:11] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.conduits.conduit.BlockConduitBundle (MobilityFlagForPaintedBlocksMixin) [20:28:11] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:11] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.invpanel.sensor.BlockInventoryPanelSensor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.invpanel.sensor.BlockInventoryPanelSensor (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.invpanel.chest.BlockInventoryChest from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.invpanel.chest.BlockInventoryChest (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.invpanel.remote.ItemRemoteInvAccess from implemented interfaces: [crazypants/enderio/base/power/forge/item/IInternalPoweredItem] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.invpanel.remote.ItemRemoteInvAccess (InternalPoweredItemMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.alloy.BlockAlloySmelter from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.alloy.BlockAlloySmelter (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.base.power.forge.item.PoweredBlockItem from implemented interfaces: [crazypants/enderio/base/power/forge/item/IInternalPoweredItem] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.base.power.forge.item.PoweredBlockItem (InternalPoweredItemMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.buffer.BlockBuffer from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.buffer.BlockBuffer (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.farm.BlockFarmStation from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.farm.BlockFarmStation (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.generator.combustion.BlockCombustionGenerator from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.generator.combustion.BlockCombustionGenerator (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.generator.stirling.BlockStirlingGenerator from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.generator.stirling.BlockStirlingGenerator (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:12] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.generator.lava.BlockLavaGenerator from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:12] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.generator.lava.BlockLavaGenerator (MobilityFlagForPaintedBlocksMixin) [20:28:12] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:12] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.painter.BlockPainter from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.painter.BlockPainter (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.sagmill.BlockSagMill from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.sagmill.BlockSagMill (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.slicensplice.BlockSliceAndSplice from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.slicensplice.BlockSliceAndSplice (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.soul.BlockSoulBinder from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.soul.BlockSoulBinder (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.spawner.BlockPoweredSpawner from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.spawner.BlockPoweredSpawner (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.vat.BlockVat from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.vat.BlockVat (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.wired.BlockWiredCharger from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.wired.BlockWiredCharger (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.wireless.BlockWirelessCharger from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.wireless.BlockWirelessCharger (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.tank.BlockTank from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.tank.BlockTank (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.transceiver.BlockTransceiver from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.transceiver.BlockTransceiver (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.vacuum.chest.BlockVacuumChest from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.vacuum.chest.BlockVacuumChest (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.vacuum.xp.BlockXPVacuum from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.vacuum.xp.BlockXPVacuum (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.niard.BlockNiard from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$INonSolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.niard.BlockNiard (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.teleport.anchor.BlockTravelAnchor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$IBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.teleport.anchor.BlockTravelAnchor (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.teleport.telepad.BlockTelePad from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.teleport.telepad.BlockTelePad (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.crafter.BlockCrafter from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.crafter.BlockCrafter (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.machines.machine.spawner.creative.BlockCreativeSpawner from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.machines.machine.spawner.creative.BlockCreativeSpawner (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.powertools.machine.capbank.BlockCapBank from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.powertools.machine.capbank.BlockCapBank (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.powertools.machine.capbank.BlockItemCapBank from implemented interfaces: [crazypants/enderio/base/power/forge/item/IInternalPoweredItem] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.powertools.machine.capbank.BlockItemCapBank (InternalPoweredItemMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [initCapabilities(Lnet/minecraft/item/ItemStack;Lnet/minecraft/nbt/NBTTagCompound;)Lnet/minecraftforge/common/capabilities/ICapabilityProvider;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:13] [Server thread/INFO]: Found 1 patch to apply to class crazypants.enderio.powertools.machine.monitor.BlockPowerMonitor from implemented interfaces: [crazypants/enderio/base/paint/IPaintable$ISolidBlockPaintableBlock] [20:28:13] [Server thread/INFO]: Patching 1 mixins onto class crazypants.enderio.powertools.machine.monitor.BlockPowerMonitor (MobilityFlagForPaintedBlocksMixin) [20:28:13] [Server thread/INFO]: Added 1 new method: [func_149656_h(Lnet/minecraft/block/state/IBlockState;)Lnet/minecraft/block/material/EnumPushReaction;] [20:28:13] [Server thread/INFO]: Successfully patched. [20:28:14] [Server thread/WARN]: TConstruct, you fail again, muhaha! The world is mine, mine! [20:28:14] [Server thread/WARN]: Applied Energistics conduits loaded. Let your networks connect! [20:28:14] [Server thread/WARN]: OpenComputers conduits NOT loaded. OpenComputers is not installed [20:28:14] [Server thread/WARN]: Refined Storage conduits NOT loaded. Refined Storage is not installed [20:28:14] [Server thread/WARN]: Forestry integration NOT loaded. Forestry is not installed [20:28:17] [Server thread/INFO]: Transforming net.minecraft.inventory.ContainerWorkbench [20:28:17] [Server thread/INFO]: Applying Transformation to method (Names [transferStackInSlot, func_82846_b] Descriptor (Lnet/minecraft/entity/player/EntityPlayer;I)Lnet/minecraft/item/ItemStack;) [20:28:17] [Server thread/INFO]: Located Method, patching... [20:28:17] [Server thread/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerWorkbench.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:28:17] [Server thread/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerWorkbench.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:28:17] [Server thread/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerWorkbench.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:28:17] [Server thread/INFO]: Located patch target node INVOKEVIRTUAL net/minecraft/inventory/ContainerWorkbench.func_75135_a (Lnet/minecraft/item/ItemStack;IIZ)Z [20:28:17] [Server thread/INFO]: Patch result: true [20:28:19] [Server thread/WARN]: Itemstack 1xitem.null@17 cannot represent material xu_evil_metal since it is not associated with the material! [20:28:19] [Server thread/WARN]: Itemstack 1xitem.null@12 cannot represent material xu_enchanted_metal since it is not associated with the material! [20:28:19] [Server thread/WARN]: Itemstack 1xitem.null@11 cannot represent material xu_demonic_metal since it is not associated with the material! [20:28:22] [Server thread/INFO]: Galacticraft oil is not default, issues may occur. [20:28:26] [Server thread/INFO]: Initialising CraftTweaker support... [20:28:26] [Server thread/INFO]: Initialised CraftTweaker support [20:28:26] [Server thread/INFO]: Registering drink handlers for Thermal Foundation... [20:28:26] [Server thread/INFO]: Registered drink handlers for Thermal Foundation [20:28:26] [Server thread/INFO]: Registering Laser Drill entries for Thermal Foundation... [20:28:26] [Server thread/INFO]: Registered Laser Drill entries for Thermal Foundation [20:28:26] [Server thread/INFO]: Pre-initialising integration for Tinkers' Construct... [20:28:27] [Server thread/INFO]: Pre-initialised integration for Tinkers' Construct [20:28:27] [Server thread/INFO]: Registering drink handlers for Tinkers' Construct... [20:28:27] [Server thread/INFO]: Registered drink handlers for Tinkers' Construct [20:28:27] [Server thread/INFO]: Registering Plant Gatherer entries for Oreberries... [20:28:27] [Server thread/INFO]: Registered Plant Gatherer entries for Oreberries [20:28:27] [Server thread/INFO]: Registering Laser Drill entries for AE2 Unofficial Extended Life... [20:28:27] [Server thread/INFO]: Registered Laser Drill entries for AE2 Unofficial Extended Life [20:28:27] [Server thread/INFO]: Registering Plant Gatherer entries for Extra Utilities 2... [20:28:27] [Server thread/INFO]: Registered Plant Gatherer entries for Extra Utilities 2 [20:28:27] [Server thread/INFO]: Registering Plant Gatherer entries for Natura... [20:28:27] [Server thread/INFO]: Registered Plant Gatherer entries for Natura [20:28:27] [Server thread/INFO]: Registering drink handlers for Ender IO... [20:28:27] [Server thread/INFO]: Registered drink handlers for Ender IO [20:28:27] [Server thread/INFO]: Registering Plant Gatherer entries for Botania... [20:28:27] [Server thread/INFO]: Registered Plant Gatherer entries for Botania [20:28:29] [Forge Version Check/INFO]: [buildcraftcompat] Starting version check at https://mod-buildcraft.com/version/versions-compat.json [20:28:30] [Forge Version Check/INFO]: [buildcraftcompat] Found status: AHEAD Target: null [20:28:30] [Forge Version Check/INFO]: [thermalfoundation] Starting version check at https://raw.github.com/cofh/version/master/thermalfoundation_update.json [20:28:31] [Forge Version Check/INFO]: [thermalfoundation] Found status: UP_TO_DATE Target: null [20:28:31] [Forge Version Check/INFO]: [forge] Starting version check at http://files.minecraftforge.net/maven/net/minecraftforge/forge/promotions_slim.json [20:28:31] [Server thread/INFO]: openmods.config.game.GameRegistryObjectsProvider.processAnnotations(GameRegistryObjectsProvider.java:208): Object scaffolding (from field public static net.minecraft.block.Block openblocks.OpenBlocks$Blocks.scaffolding) is disabled [20:28:32] [Forge Version Check/INFO]: [forge] Found status: AHEAD Target: null [20:28:32] [Forge Version Check/INFO]: [buildcraftcore] Starting version check at https://mod-buildcraft.com/version/versions.json [20:28:33] [Forge Version Check/INFO]: [buildcraftcore] Found status: UP_TO_DATE Target: null [20:28:33] [Forge Version Check/INFO]: [wrcbe] Starting version check at http://chickenbones.net/Files/notification/version.php?query=forge&version=1.12&file=WR-CBE [20:28:39] [Server thread/INFO]: Module disabled: RailcraftModule{railcraft:chunk_loading} [20:28:39] [Server thread/INFO]: Module failed prerequisite check, disabling: railcraft:thaumcraft [20:28:39] [Server thread/INFO]: mods.railcraft.api.core.IRailcraftModule$MissingPrerequisiteException: Thaumcraft not detected [20:28:39] [Server thread/INFO]: Module failed prerequisite check, disabling: railcraft:forestry [20:28:39] [Server thread/INFO]: mods.railcraft.api.core.IRailcraftModule$MissingPrerequisiteException: Forestry not detected [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:commandblock_minecart with railcraft:cart_command_block. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:minecart with railcraft:cart_basic. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:chest_minecart with railcraft:cart_chest. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:furnace_minecart with railcraft:cart_furnace. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:tnt_minecart with railcraft:cart_tnt. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:hopper_minecart with railcraft:cart_hopper. [20:28:40] [Server thread/INFO]: Successfully substituted minecraft:spawner_minecart with railcraft:cart_spawner. [20:28:41] [Server thread/WARN]: defineId called for: class mods.railcraft.common.carts.EntityTunnelBore from class mods.railcraft.common.plugins.forge.DataManagerPlugin [20:28:41] [Server thread/WARN]: defineId called for: class mods.railcraft.common.carts.EntityTunnelBore from class mods.railcraft.common.plugins.forge.DataManagerPlugin [20:28:41] [Server thread/WARN]: defineId called for: class mods.railcraft.common.carts.EntityTunnelBore from class mods.railcraft.common.plugins.forge.DataManagerPlugin [20:28:41] [Server thread/WARN]: defineId called for: class mods.railcraft.common.carts.EntityTunnelBore from class mods.railcraft.common.plugins.forge.DataManagerPlugin [20:28:42] [Server thread/INFO]: [com.mactso.regrowth.Main:preInit:40]: Regrowth 16.4 1.1.0.18: Registering Handler [20:28:42] [Server thread/INFO]: Loading ROTM [20:28:43] [Server thread/INFO]: Starting Simply Jetpacks 2... [20:28:43] [Server thread/INFO]: Loading Configuration Files... [20:28:43] [Server thread/INFO]: Registering Items... [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.maxHealth with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.followRange with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.knockbackResistance with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.movementSpeed with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.flyingSpeed with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.attackDamage with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.attackSpeed with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.armor with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.armorToughness with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: UTAttributes ::: Successfully altered attribute generic.luck with -65536.0 as minimum and 65536.0 as maximum [20:28:43] [Server thread/INFO]: Universal Tweaks pre-initialized [20:28:45] [Server thread/INFO]: Registered new Village generator [20:28:46] [Server thread/INFO]: Loading blocks... [20:28:46] [Server thread/INFO]: Skipping feature arcaneStone as its required mod thaumcraft was missing. [20:28:46] [Server thread/INFO]: Skipping feature bloodMagic as its required mod bloodmagic was missing. [20:28:46] [Server thread/INFO]: 73 Feature's blocks loaded. [20:28:46] [Server thread/INFO]: Loading Tile Entities... [20:28:46] [Server thread/INFO]: Tile Entities loaded. [20:28:47] [Server thread/INFO]: Registered Blocks [20:28:47] [Server thread/INFO]: Applying holder lookups [20:28:47] [Server thread/INFO]: Holder lookups applied [20:28:48] [Server thread/INFO]: Loading items... [20:28:48] [Server thread/INFO]: 15 item features loaded. [20:28:48] [Server thread/INFO]: Loading items... [20:28:48] [Server thread/INFO]: Skipping feature arcaneStone as its required mod thaumcraft was missing. [20:28:48] [Server thread/INFO]: Skipping feature bloodMagic as its required mod bloodmagic was missing. [20:28:48] [Server thread/INFO]: 73 Feature's items loaded. [20:28:48] [Server thread/INFO]: Galacticraft: activating Tinker's Construct compatibility. [20:28:48] [Server thread/INFO]: Registered ItemBlocks [20:28:49] [Server thread/INFO]: Applying holder lookups [20:28:49] [Server thread/INFO]: Holder lookups applied [20:28:49] [Server thread/INFO]: Farming Station: Immersive Engineering integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: Botania integration for farming fully loaded [20:28:49] [Server thread/INFO]: Farming Station: Extra Utilities 2 integration fully loaded [20:28:49] [Server thread/INFO]: Farming Station: Natura integration fully loaded [20:28:49] [Server thread/INFO]: Farming Station: IC2 integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: 'Thaumic Additions: reconstructed' integration for farming not loaded [20:28:49] [Server thread/INFO]: Farming Station: MFR integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: TechReborn integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: IC2 classic integration fully loaded [20:28:49] [Server thread/INFO]: Farming Station: Botania integration for fertilizing fully loaded [20:28:49] [Server thread/INFO]: Farming Station: Actually Additions integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: Gardencore integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: Metallurgy integration not loaded [20:28:49] [Server thread/INFO]: Farming Station: Magicalcrops integration not loaded [20:28:49] [Server thread/INFO]: Registered Ore Dictionary Entries [20:28:50] [Server thread/INFO]: Applying holder lookups [20:28:50] [Server thread/INFO]: Holder lookups applied [20:28:50] [Server thread/INFO]: Applying holder lookups [20:28:50] [Server thread/INFO]: Holder lookups applied [20:28:50] [Server thread/INFO]: Injecting itemstacks [20:28:50] [Server thread/INFO]: Itemstack injection complete [20:28:50] [Server thread/INFO]: Loading properties [20:28:50] [Server thread/INFO]: Default game type: SURVIVAL [20:28:50] [Server thread/INFO]: Generating keypair [20:28:50] [Server thread/INFO]: Starting Minecraft server on 192.168.0.10:25565 [20:28:50] [Server thread/INFO]: Using default channel type [20:28:51] [Server thread/WARN]: **** FAILED TO BIND TO PORT! [20:28:51] [Server thread/WARN]: The exception was: java.net.BindException: Cannot assign requested address: bind [20:28:51] [Server thread/WARN]: Perhaps a server is already running on that port? [20:28:51] [Server thread/INFO]: Stopping server [20:28:51] [Server thread/INFO]: Saving worlds [20:28:51] [Server thread/INFO]: [java.lang.ThreadGroup:uncaughtException:-1]: net.minecraftforge.fml.common.LoaderExceptionModCrash: Caught exception from AE2 Unofficial Extended Life (appliedenergistics2) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]: Caused by: java.lang.NullPointerException [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at appeng.core.AppEng.serverStopped(AppEng.java:243) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at java.lang.reflect.Method.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.FMLModContainer.handleModStateEvent(FMLModContainer.java:637) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.GeneratedMethodAccessor4.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at java.lang.reflect.Method.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at java.lang.reflect.Method.invoke(Unknown Source) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.Loader.serverStopped(Loader.java:852) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraftforge.fml.common.FMLCommonHandler.handleServerStopped(FMLCommonHandler.java:508) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:587) [20:28:51] [Server thread/INFO]: [net.minecraftforge.fml.common.EnhancedRuntimeException:printStackTrace:92]:     at java.lang.Thread.run(Unknown Source)  
  • Topics

×
×
  • Create New...

Important Information

By using this site, you agree to our Terms of Use.