Jump to content

[1.6.4] getBlockTileEntity not as intensive as it seems?


Reika

Recommended Posts

I am trying to optimize code in RotaryCraft (for those not familiar, a large tech mod that has a bit of a reputation for being computationally intensive). One of the things that seems like a good start was the repeated calls of getBlockTileEntity(x,y,z), as I have heard that that function is terribly inefficient from a variety of developers, including KingLemming and LexManos.

 

So I set up a caching system using a HashMap<ChunkCoordinates, TileEntity>, to store the six adjacent TileEntities, and update the cache with the Block type's onNeighborTileChange() function. It works as intended, except for one thing:

 

No performance gain. And not because the new system is slow, but because getBlockTileEntity is not. I tested both normal terrain and superflat, and also with a 40x20x40 block of furnaces (to inflate the size of the chunk's loadedTileEntity list). Every time, there was negligible difference between getBlockTileEntity(x,y,z) and fetching the TE from cache.

 

I took some timing data with System.nanoTime():

 

  • Base Delay between nanoTime() calls and print: 293 ns
  • Additional Delay to call world.getBlockTileEntity once: ~800ns
  • Additional Delay to call from cache once: ~700ns
  • Additional Delay to call world.getBlockTileEntity 512 times: ~4.4 microseconds
  • Additional Delay to call from cache 512 times: ~6.5 microseconds
  • Additional Delay to call world.getBlockTileEntity 65536 times: ~1.2 milliseconds
  • Additional Delay to call from cache 65536 times: ~1.2 milliseconds

I also tried to call it 2M times per tick, but the game froze.

 

Why, however, am I getting these results?

Link to comment
Share on other sites

Hi

 

In my experience it's usually difficult to predict in advance what the most efficient way of implementing the code will be.  There are some good general rules, and it can be very important to choose the appropriate algorithm, but nine times out of ten I find that the differences are completely negligible when you run in the real game.

 

So I think what you're doing is the right approach- write your code to be understandable, modular, and easily maintained, measure its performance, and optimise the bits that need it using your "real situation" performance measurements.

 

-TGG

Link to comment
Share on other sites

Hi

 

In my experience it's usually difficult to predict in advance what the most efficient way of implementing the code will be.  There are some good general rules, and it can be very important to choose the appropriate algorithm, but nine times out of ten I find that the differences are completely negligible when you run in the real game.

 

So I think what you're doing is the right approach- write your code to be understandable, modular, and easily maintained, measure its performance, and optimise the bits that need it using your "real situation" performance measurements.

 

-TGG

 

The thing is, there is no reason why iterating over a list 16000 entries long should be as fast as a hashmap get, or why there is such a large disconnect between my observations and "accepted knowledge".

Link to comment
Share on other sites

The list you are talking about only contains the very recently added TEs, all others are being retrieved through 2 HashMap lookups (one to get the Chunk, one to get the TE in there).

 

While a HashMap is fairly quick, it'll still take a lot longer than a direct array/field access. You are supposed to use an array like TileEntity[6], one entry for each direction, to cache the neighbor TEs, not another HashMap. Be aware of annoying and random side effects due to out of date caches though.

Link to comment
Share on other sites

How did you use ChunkCoordinates to get the Tile Entity from the Map?

if you used new ChunkCoordinates(x,y,z) or something, it should take time to create the coordinates.

I. Stellarium for Minecraft: Configurable Universe for Minecraft! (WIP)

II. Stellar Sky, Better Star Rendering&Sky Utility mod, had separated from Stellarium.

Link to comment
Share on other sites

The Hopper uses a method that looks somewhat reasonable for finding nearby TEs.

world.getEntitiesWithinAABBExcludingEntity((Entity)null, AxisAlignedBB.getAABBPool().getAABB(xPos, yPos, zPos, xPos + 1.0D, yPos + 1.0D, zPos + 1.0D), IEntitySelector.selectInventories);

The first argument is the entity to exclude - don't want to include oneself.

The last one filters by EntityTypes.

It would be nice to know if this is one of the better (faster) methods.

Link to comment
Share on other sites

derp! I just realized that despite the similarity of names, TileEntities do not inherit from Entity in any way.

 

I also just figured out that an Entity (like EntityMinecartChest) can move but a TileEntity (like TileEntityChest) cannot. I wonder if that is the only difference, since both can have inventories and additional data and NBT's. I would be nice to be able to learn all this on the Wiki...

Link to comment
Share on other sites

How did you use ChunkCoordinates to get the Tile Entity from the Map?

if you used new ChunkCoordinates(x,y,z) or something, it should take time to create the coordinates.

Yes, that is what I did, because the alternative - pooling them - would be even slower. That said, it should be negligible.

 

The list you are talking about only contains the very recently added TEs, all others are being retrieved through 2 HashMap lookups (one to get the Chunk, one to get the TE in there).

That explains a lot.

 

While a HashMap is fairly quick, it'll still take a lot longer than a direct array/field access. You are supposed to use an array like TileEntity[6], one entry for each direction, to cache the neighbor TEs, not another HashMap.

HashMap.get() is O(log(n)). Should it really be that big a difference? I do not like how messy an array will be.

 

Be aware of annoying and random side effects due to out of date caches though.

Block.updateNeighborTile() solves that issue nicely, and my only recently having learned it is why I am only now trying caching.

 

I doubt you can get much performance gain from this. getBlockTileEntity is already pretty much as efficient as it can be.

Then why do so many people in high places - including the developer of the mod I have seen called "the leader in optimization" - say otherwise?

Link to comment
Share on other sites

Did your results involve eliminating the time required for an empty timing loop of x times per tick? For a reasonably accurate answer, the loop should be called X number of times with no load, then that time should be subtracted from the same x loops with the actual code used.

Link to comment
Share on other sites

I doubt you can get much performance gain from this. getBlockTileEntity is already pretty much as efficient as it can be.

Then why do so many people in high places - including the developer of the mod I have seen called "the leader in optimization" - say otherwise?

Perhaps the code has changed since they last looked at it.  Perhaps they never tested it using the same conditions that you're running it under.  Perhaps they're just all wrong.  I'd say, believe what your testing shows you and don't worry about it too much :-)  Time to move on to the next possible source of performance problems I reckon...

 

BTW do you know about the inbuilt Minecraft profiler?

All those

                this.mc.mcProfiler.startSection("level");

sprinkled through the code?

 

/debug start

/debug stop    (creates a dump file)

You can even add your own sections if you want.

 

Your IDE might also have some powerful profiling capabilities too,  I often find the results a surprise and show me performance gains I probably wouldn't have spotted without it.

 

-TGG

 

Link to comment
Share on other sites

Did your results involve eliminating the time required for an empty timing loop of x times per tick? For a reasonably accurate answer, the loop should be called X number of times with no load, then that time should be subtracted from the same x loops with the actual code used.

Yes, I did account for that. 65536 iterations across an empty loop took 295 ns, and I simply subtracted that off.

 

I'll say it again: I doubt that this benefits anything. Your caching will hardly be any faster in the long run, especially when you do it this way. Because a) You need to keep track of changes to the world, so that your cache doesn't get out of date and b) you need to create the ChunkCoordinates keys for lookup.

What would help though is, as said above somewhere, cache your neighbor TileEntities, if you use them and refresh them on onNeighborBlockChange. Then don't use a HashMap but an EnumMap<ForgeDirection, TileEntity>.

I am doing it this way, though instead of EnumMap I am using TileEntity[6] and accessing it by dir.ordinal(). Given that it takes me only 3 ns to call a function, I think that will work perfectly.

Testing confirms this; 65536 calls of getBlockTileEntity, 2.4 ms. 65536 calls of getCachedTE(dir), which fetches from the array, takes less than 80 microseconds. This seems to translate roughly into a 20FPS gain in a singleplayer creative superflat, and should only increase from there.

 

BTW do you know about the inbuilt Minecraft profiler?

All those

                this.mc.mcProfiler.startSection("level");

sprinkled through the code?

 

/debug start

/debug stop    (creates a dump file)

You can even add your own sections if you want.

 

Your IDE might also have some powerful profiling capabilities too,  I often find the results a surprise and show me performance gains I probably wouldn't have spotted without it.

 

-TGG

I have seen a lot of that, but had no idea what it was for. Is it as simple as you are implying?

Link to comment
Share on other sites

This is a cool discussion.  The only thing I have to add though is sometimes a simple, brute force approach works sufficiently that you don't need to do all the work of a trickier, over-finessed approach.  One thing I've taken advantage of in the past was the difference between human perception and computer execution speed.  For example, if you process only half of the instances in your code every other tick, or one third every three ticks, etc.  It is usually simple to implement and the human users often don't notice, especially if you're slightly smart about it (like maybe things behind the player or otherwise out of view (or farther) get updated less often.

 

There are some situations where you need to process everything in same tick for some synchronization purpose, but I've seen a lot more cases where selective, less frequent updates give big perf boost withough much coding pain.

 

I especially recommend this in the case (perhaps like here) where you know a certain activity is taking a majority of the processing time but you feel that any further true optimization is tough / impossible to squeeze out.

Check out my tutorials here: http://jabelarminecraft.blogspot.com/

Link to comment
Share on other sites

This is a cool discussion.  The only thing I have to add though is sometimes a simple, brute force approach works sufficiently that you don't need to do all the work of a trickier, over-finessed approach.  One thing I've taken advantage of in the past was the difference between human perception and computer execution speed.  For example, if you process only half of the instances in your code every other tick, or one third every three ticks, etc.  It is usually simple to implement and the human users often don't notice, especially if you're slightly smart about it (like maybe things behind the player or otherwise out of view (or farther) get updated less often.

 

There are some situations where you need to process everything in same tick for some synchronization purpose, but I've seen a lot more cases where selective, less frequent updates give big perf boost withough much coding pain.

 

I especially recommend this in the case (perhaps like here) where you know a certain activity is taking a majority of the processing time but you feel that any further true optimization is tough / impossible to squeeze out.

I do that with some code, but a lot of it is part of a sort of physics engine; if I slowed that down, it would be extremely noticeable.

Link to comment
Share on other sites

This is a cool discussion.  The only thing I have to add though is sometimes a simple, brute force approach works sufficiently that you don't need to do all the work of a trickier, over-finessed approach.  One thing I've taken advantage of in the past was the difference between human perception and computer execution speed.  For example, if you process only half of the instances in your code every other tick, or one third every three ticks, etc.  It is usually simple to implement and the human users often don't notice, especially if you're slightly smart about it (like maybe things behind the player or otherwise out of view (or farther) get updated less often.

 

There are some situations where you need to process everything in same tick for some synchronization purpose, but I've seen a lot more cases where selective, less frequent updates give big perf boost withough much coding pain.

 

I especially recommend this in the case (perhaps like here) where you know a certain activity is taking a majority of the processing time but you feel that any further true optimization is tough / impossible to squeeze out.

I do that with some code, but a lot of it is part of a sort of physics engine; if I slowed that down, it would be extremely noticeable.

 

Yeah, I understand some things do need real-time. However, even with some things like physics I have been successful with just scaling the physics itself to keep up with pace of updates.  For example something can be processed with twice the velocity every other tick, etc.  You of course have to be careful with collisions as you don't want things passing through each other without detecting a collision.  In terms of users noticing I think it really depends on how near it is and whether it is within their field of view.  For example, if a cog in a machine is not turning smoothly but is behind the player it may not matter.

 

Anyway, I was just putting it out there because sometimes you're already fairly optimized but still have a perf problem -- at that point you need to break down the processing into manageble, less frequent, activity.

Check out my tutorials here: http://jabelarminecraft.blogspot.com/

Link to comment
Share on other sites

Yeah, I understand some things do need real-time. However, even with some things like physics I have been successful with just scaling the physics itself to keep up with pace of updates.  For example something can be processed with twice the velocity every other tick, etc.  You of course have to be careful with collisions as you don't want things passing through each other without detecting a collision.  In terms of users noticing I think it really depends on how near it is and whether it is within their field of view.  For example, if a cog in a machine is not turning smoothly but is behind the player it may not matter.

 

Anyway, I was just putting it out there because sometimes you're already fairly optimized but still have a perf problem -- at that point you need to break down the processing into manageble, less frequent, activity.

Render code only runs when the player is looking at something, so optimizing it there will have no effect. I have tried distance LOD modeling, but it was both very noticeable and not particularly helpful.

 

I did do it with thermal and pressure calculations, as that saves a lot of load, but things like the power system (probably one of my biggest load sources), glitches when "stepped".

Link to comment
Share on other sites

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.



  • Recently Browsing

    • No registered users viewing this page.
  • Posts

    • no clue what is going on, you guys seem more knowledgeable than I am. So here's my log as well as my mod list. Error Folder On Google Drive  
    • Ive recently made a modpack on Modrinth and everything works perfectly without essentials. But once you add essentials (multiplayer mod) the world you try to create gets crashed and says its universal mod core's fault.   Heres the crash code   [11:08:40] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.FMLTweaker [11:08:40] [main/INFO]: Using primary tweak class name net.minecraftforge.fml.common.launcher.FMLTweaker [11:08:40] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLTweaker [11:08:40] [main/INFO]: Forge Mod Loader version 14.23.5.2860 for Minecraft 1.12.2 loading [11:08:40] [main/INFO]: Java is OpenJDK 64-Bit Server VM, version 1.8.0_402, running on Windows 11:amd64:10.0, installed at C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\meta\java_versions\zulu8.76.0.17-ca-jre8.0.402-win_x64 [11:08:40] [main/INFO]: Searching C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods for mods [11:08:40] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Bloodmoon-MC1.12.2-1.5.3.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [11:08:40] [main/WARN]: The coremod lumien.bloodmoon.asm.LoadingPlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [11:08:40] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in CreativeCore_v1.10.62_mc1.12.2.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [11:08:40] [main/WARN]: The coremod com.creativemd.creativecore.core.CreativePatchingLoader does not have a MCVersion annotation, it may cause issues with this version of Minecraft [11:08:40] [main/WARN]: The coremod CreativePatchingLoader (com.creativemd.creativecore.core.CreativePatchingLoader) is not signed! [11:08:40] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from DynamicSurroundings-1.12.2-3.6.1.0.jar [11:08:40] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Forgelin-1.8.3.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [11:08:40] [main/WARN]: The coremod net.shadowfacts.forgelin.preloader.ForgelinPlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [11:08:40] [main/WARN]: The coremod ForgelinPlugin (net.shadowfacts.forgelin.preloader.ForgelinPlugin) is not signed! [11:08:40] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in future-mc-0.2.15.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [11:08:40] [main/WARN]: The coremod FutureMC (thedarkcolour.futuremc.asm.CoreLoader) is not signed! [11:08:40] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in HardcoreDarkness-MC1.12.2-2.0.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [11:08:40] [main/WARN]: The coremod lumien.hardcoredarkness.asm.LoadingPlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft [11:08:40] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from SpartanWeaponry-1.12.2-1.4.1.jar [11:08:40] [main/INFO]: Loading tweaker org.spongepowered.asm.launch.MixinTweaker from VanillaFix-1.0.10-150.jar [11:08:40] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in Xaeros_Minimap_24.2.0_Forge_1.12.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [11:08:40] [main/WARN]: The coremod XaeroMinimapPlugin (xaero.common.core.XaeroMinimapPlugin) is not signed! [11:08:40] [main/WARN]: Found FMLCorePluginContainsFMLMod marker in XaerosWorldMap_1.38.8_Forge_1.12.jar. This is not recommended, @Mods should be in a separate jar from the coremod. [11:08:40] [main/WARN]: The coremod XaeroWorldMapPlugin (xaero.map.core.XaeroWorldMapPlugin) is not signed! [11:08:40] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.FMLInjectionAndSortingTweaker [11:08:40] [main/INFO]: Loading tweak class name org.spongepowered.asm.launch.MixinTweaker [11:08:40] [main/INFO]: SpongePowered MIXIN Subsystem Version=0.8 Source=file:/C:/Users/{COMPUTER_USERNAME}/AppData/Roaming/com.modrinth.theseus/profiles/Jeffs%20Island/mods/DynamicSurroundings-1.12.2-3.6.1.0.jar Service=LaunchWrapper Env=CLIENT [11:08:40] [main/DEBUG]: Instantiating coremod class TransformLoader [11:08:40] [main/DEBUG]: The coremod org.orecruncher.dsurround.mixins.TransformLoader requested minecraft version 1.12.2 and minecraft is 1.12.2. It will be loaded. [11:08:40] [main/DEBUG]: Found signing certificates for coremod TransformLoader (org.orecruncher.dsurround.mixins.TransformLoader) [11:08:40] [main/DEBUG]: Found certificate 7a2128d395ad96ceb9d9030fbd41d035b435753a [11:08:40] [main/INFO]: Compatibility level set to JAVA_8 [11:08:40] [main/DEBUG]: Enqueued coremod TransformLoader [11:08:40] [main/DEBUG]: Instantiating coremod class MixinLoader [11:08:40] [main/TRACE]: coremod named SpartanWeaponry-MixinLoader is loading [11:08:40] [main/DEBUG]: The coremod com.oblivioussp.spartanweaponry.mixin.MixinLoader requested minecraft version 1.12.2 and minecraft is 1.12.2. It will be loaded. [11:08:40] [main/WARN]: The coremod SpartanWeaponry-MixinLoader (com.oblivioussp.spartanweaponry.mixin.MixinLoader) is not signed! [11:08:40] [main/DEBUG]: Enqueued coremod SpartanWeaponry-MixinLoader [11:08:40] [main/DEBUG]: Instantiating coremod class VanillaFixLoadingPlugin [11:08:40] [main/INFO]: Initializing VanillaFix [11:08:40] [main/INFO]: Initializing StacktraceDeobfuscator [11:08:40] [main/INFO]: Downloading MCP method mappings to: methods-stable_39.csv [11:08:40] [main/ERROR]: Failed to get MCP data! java.lang.RuntimeException: java.net.UnknownHostException: export.mcpbot.bspk.rs     at org.dimdev.vanillafix.crashes.StacktraceDeobfuscator.init(StacktraceDeobfuscator.java:52) ~[StacktraceDeobfuscator.class:?]     at org.dimdev.vanillafix.VanillaFixLoadingPlugin.initStacktraceDeobfuscator(VanillaFixLoadingPlugin.java:60) [VanillaFix-1.0.10-150.jar:?]     at org.dimdev.vanillafix.VanillaFixLoadingPlugin.<clinit>(VanillaFixLoadingPlugin.java:43) [VanillaFix-1.0.10-150.jar:?]     at java.lang.Class.forName0(Native Method) ~[?:1.8.0_402]     at java.lang.Class.forName(Class.java:348) [?:1.8.0_402]     at net.minecraftforge.fml.relauncher.CoreModManager.loadCoreMod(CoreModManager.java:527) [forge-1.12.2-14.23.5.2860.jar:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at org.spongepowered.asm.launch.platform.MixinPlatformAgentFMLLegacy.injectCorePlugin(MixinPlatformAgentFMLLegacy.java:244) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.platform.MixinPlatformAgentFMLLegacy.initFMLCoreMod(MixinPlatformAgentFMLLegacy.java:171) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.platform.MixinPlatformAgentFMLLegacy.accept(MixinPlatformAgentFMLLegacy.java:157) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.platform.MixinContainer.<init>(MixinContainer.java:74) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.platform.MixinPlatformManager.createContainerFor(MixinPlatformManager.java:143) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.platform.MixinPlatformManager.addContainer(MixinPlatformManager.java:135) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.platform.MixinPlatformManager.scanForContainers(MixinPlatformManager.java:220) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.platform.MixinPlatformManager.init(MixinPlatformManager.java:107) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.MixinBootstrap.getPlatform(MixinBootstrap.java:107) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.MixinBootstrap.start(MixinBootstrap.java:154) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at org.spongepowered.asm.launch.MixinTweaker.<init>(MixinTweaker.java:46) [DynamicSurroundings-1.12.2-3.6.1.0.jar:?]     at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:62) [?:1.8.0_402]     at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) [?:1.8.0_402]     at java.lang.reflect.Constructor.newInstance(Constructor.java:423) [?:1.8.0_402]     at java.lang.Class.newInstance(Class.java:442) [?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:98) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: java.net.UnknownHostException: export.mcpbot.bspk.rs     at java.net.AbstractPlainSocketImpl.connect(AbstractPlainSocketImpl.java:184) ~[?:1.8.0_402]     at java.net.PlainSocketImpl.connect(PlainSocketImpl.java:172) ~[?:1.8.0_402]     at java.net.SocksSocketImpl.connect(SocksSocketImpl.java:392) ~[?:1.8.0_402]     at java.net.Socket.connect(Socket.java:613) ~[?:1.8.0_402]     at java.net.Socket.connect(Socket.java:561) ~[?:1.8.0_402]     at sun.net.NetworkClient.doConnect(NetworkClient.java:180) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.openServer(HttpClient.java:463) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.openServer(HttpClient.java:558) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.<init>(HttpClient.java:242) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.New(HttpClient.java:339) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.New(HttpClient.java:357) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getNewHttpClient(HttpURLConnection.java:1233) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.plainConnect0(HttpURLConnection.java:1167) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$6.run(HttpURLConnection.java:1051) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$6.run(HttpURLConnection.java:1049) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.plainConnect(HttpURLConnection.java:1048) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.connect(HttpURLConnection.java:995) ~[?:1.8.0_402]     at org.dimdev.vanillafix.crashes.StacktraceDeobfuscator.init(StacktraceDeobfuscator.java:31) ~[StacktraceDeobfuscator.class:?]     ... 27 more [11:08:40] [main/INFO]: Done initializing StacktraceDeobfuscator [11:08:40] [main/INFO]: Initializing Bug Fix Mixins [11:08:40] [main/INFO]: Initializing Crash Fix Mixins [11:08:40] [main/INFO]: Initializing Profiler Improvement Mixins [11:08:40] [main/INFO]: Initializing Texture Fix Mixins [11:08:40] [main/INFO]: Initializing Mod Support Mixins [11:08:40] [main/DEBUG]: The coremod org.dimdev.vanillafix.VanillaFixLoadingPlugin requested minecraft version 1.12.2 and minecraft is 1.12.2. It will be loaded. [11:08:40] [main/WARN]: The coremod VanillaFixLoadingPlugin (org.dimdev.vanillafix.VanillaFixLoadingPlugin) is not signed! [11:08:40] [main/DEBUG]: Enqueued coremod VanillaFixLoadingPlugin [11:08:40] [main/WARN]: Tweak class name org.spongepowered.asm.launch.MixinTweaker has already been visited -- skipping [11:08:40] [main/WARN]: Tweak class name org.spongepowered.asm.launch.MixinTweaker has already been visited -- skipping [11:08:40] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.FMLDeobfTweaker [11:08:40] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLInjectionAndSortingTweaker [11:08:40] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLInjectionAndSortingTweaker [11:08:40] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [11:08:40] [main/DEBUG]: Injecting coremod FMLCorePlugin \{net.minecraftforge.fml.relauncher.FMLCorePlugin\} class transformers [11:08:40] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.SideTransformer [11:08:40] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.EventSubscriptionTransformer [11:08:40] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.EventSubscriberTransformer [11:08:40] [main/TRACE]: Registering transformer net.minecraftforge.fml.common.asm.transformers.SoundEngineFixTransformer [11:08:40] [main/DEBUG]: Injection complete [11:08:40] [main/DEBUG]: Running coremod plugin for FMLCorePlugin \{net.minecraftforge.fml.relauncher.FMLCorePlugin\} [11:08:40] [main/DEBUG]: Running coremod plugin FMLCorePlugin [11:08:41] [main/INFO]: Found valid fingerprint for Minecraft Forge. Certificate fingerprint e3c3d50c7c986df74c645c0ac54639741c90a557 [11:08:41] [main/INFO]: Found valid fingerprint for Minecraft. Certificate fingerprint cd99959656f753dc28d863b46769f7f8fbaefcfc [11:08:41] [main/DEBUG]: Coremod plugin class FMLCorePlugin run successfully [11:08:41] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [11:08:41] [main/DEBUG]: Injecting coremod FMLForgePlugin \{net.minecraftforge.classloading.FMLForgePlugin\} class transformers [11:08:41] [main/DEBUG]: Injection complete [11:08:41] [main/DEBUG]: Running coremod plugin for FMLForgePlugin \{net.minecraftforge.classloading.FMLForgePlugin\} [11:08:41] [main/DEBUG]: Running coremod plugin FMLForgePlugin [11:08:41] [main/DEBUG]: Coremod plugin class FMLForgePlugin run successfully [11:08:41] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [11:08:41] [main/DEBUG]: Injecting coremod CreativePatchingLoader \{com.creativemd.creativecore.core.CreativePatchingLoader\} class transformers [11:08:41] [main/DEBUG]: Injection complete [11:08:41] [main/DEBUG]: Running coremod plugin for CreativePatchingLoader \{com.creativemd.creativecore.core.CreativePatchingLoader\} [11:08:41] [main/DEBUG]: Running coremod plugin CreativePatchingLoader [11:08:41] [main/DEBUG]: Coremod plugin class CreativePatchingLoader run successfully [11:08:41] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [11:08:41] [main/DEBUG]: Injecting coremod ForgelinPlugin \{net.shadowfacts.forgelin.preloader.ForgelinPlugin\} class transformers [11:08:41] [main/DEBUG]: Injection complete [11:08:41] [main/DEBUG]: Running coremod plugin for ForgelinPlugin \{net.shadowfacts.forgelin.preloader.ForgelinPlugin\} [11:08:41] [main/DEBUG]: Running coremod plugin ForgelinPlugin [11:08:41] [main/DEBUG]: Coremod plugin class ForgelinPlugin run successfully [11:08:41] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [11:08:41] [main/DEBUG]: Injecting coremod XaeroMinimapPlugin \{xaero.common.core.XaeroMinimapPlugin\} class transformers [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.ChunkTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.NetHandlerPlayClientTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.EntityPlayerTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.AbstractClientPlayerTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.WorldClientTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.EntityPlayerMPTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.EntityPlayerSPTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.PlayerListTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.SaveFormatTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.GuiIngameForgeTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.MinecraftServerTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.GuiBossOverlayTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.common.core.transformer.ModelRendererTransformer [11:08:41] [main/DEBUG]: Injection complete [11:08:41] [main/DEBUG]: Running coremod plugin for XaeroMinimapPlugin \{xaero.common.core.XaeroMinimapPlugin\} [11:08:41] [main/DEBUG]: Running coremod plugin XaeroMinimapPlugin [11:08:41] [main/DEBUG]: Coremod plugin class XaeroMinimapPlugin run successfully [11:08:41] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [11:08:41] [main/DEBUG]: Injecting coremod XaeroWorldMapPlugin \{xaero.map.core.XaeroWorldMapPlugin\} class transformers [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.ChunkTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.NetHandlerPlayClientTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.EntityPlayerTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.AbstractClientPlayerTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.WorldClientTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.EntityPlayerMPTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.PlayerListTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.SaveFormatTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.BiomeColorHelperTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.MinecraftServerTransformer [11:08:41] [main/TRACE]: Registering transformer xaero.map.core.transformer.MinecraftTransformer [11:08:41] [main/DEBUG]: Injection complete [11:08:41] [main/DEBUG]: Running coremod plugin for XaeroWorldMapPlugin \{xaero.map.core.XaeroWorldMapPlugin\} [11:08:41] [main/DEBUG]: Running coremod plugin XaeroWorldMapPlugin [11:08:41] [main/DEBUG]: Coremod plugin class XaeroWorldMapPlugin run successfully [11:08:41] [main/INFO]: Calling tweak class org.spongepowered.asm.launch.MixinTweaker [11:08:41] [main/INFO]: Initialised Mixin FML Remapper Adapter with net.minecraftforge.fml.common.asm.transformers.deobf.FMLDeobfuscatingRemapper@3cff0139 [11:08:41] [main/DEBUG]: Injecting coremod TransformLoader \{org.orecruncher.dsurround.mixins.TransformLoader\} class transformers [11:08:41] [main/DEBUG]: Injection complete [11:08:41] [main/DEBUG]: Running coremod plugin for TransformLoader \{org.orecruncher.dsurround.mixins.TransformLoader\} [11:08:41] [main/DEBUG]: Running coremod plugin TransformLoader [11:08:41] [main/DEBUG]: Coremod plugin class TransformLoader run successfully [11:08:41] [main/DEBUG]: Injecting coremod SpartanWeaponry-MixinLoader \{com.oblivioussp.spartanweaponry.mixin.MixinLoader\} class transformers [11:08:41] [main/DEBUG]: Injection complete [11:08:41] [main/DEBUG]: Running coremod plugin for SpartanWeaponry-MixinLoader \{com.oblivioussp.spartanweaponry.mixin.MixinLoader\} [11:08:41] [main/DEBUG]: Running coremod plugin SpartanWeaponry-MixinLoader [11:08:41] [main/DEBUG]: Coremod plugin class MixinLoader run successfully [11:08:41] [main/DEBUG]: Injecting coremod VanillaFixLoadingPlugin \{org.dimdev.vanillafix.VanillaFixLoadingPlugin\} class transformers [11:08:41] [main/DEBUG]: Injection complete [11:08:41] [main/DEBUG]: Running coremod plugin for VanillaFixLoadingPlugin \{org.dimdev.vanillafix.VanillaFixLoadingPlugin\} [11:08:41] [main/DEBUG]: Running coremod plugin VanillaFixLoadingPlugin [11:08:41] [main/DEBUG]: Coremod plugin class VanillaFixLoadingPlugin run successfully [11:08:41] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.FMLDeobfTweaker [11:08:41] [main/DEBUG]: Validating minecraft [11:08:41] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [11:08:41] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [11:08:41] [main/INFO]: Calling tweak class net.minecraftforge.fml.relauncher.CoreModManager$FMLPluginWrapper [11:08:42] [main/INFO]: Loading tweak class name net.minecraftforge.fml.common.launcher.TerminalTweaker [11:08:42] [main/INFO]: Loading tweak class name org.spongepowered.asm.mixin.EnvironmentStateTweaker [11:08:42] [main/INFO]: Calling tweak class net.minecraftforge.fml.common.launcher.TerminalTweaker [11:08:42] [main/INFO]: Calling tweak class org.spongepowered.asm.mixin.EnvironmentStateTweaker [11:08:42] [main/INFO]: A re-entrant transformer '$wrapper.thedarkcolour.futuremc.asm.CoreTransformer' was detected and will no longer process meta class data [11:08:42] [main/INFO]: A re-entrant transformer '$wrapper.lumien.bloodmoon.asm.ClassTransformer' was detected and will no longer process meta class data [11:08:42] [main/INFO]: A re-entrant transformer '$wrapper.lumien.hardcoredarkness.asm.ClassTransformer' was detected and will no longer process meta class data [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class oq net.minecraft.entity.player.EntityPlayerMP [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.entity.player.EntityPlayerMP [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.server.MinecraftServer net.minecraft.server.MinecraftServer [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.server.MinecraftServer [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.client.Minecraft [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class brz net.minecraft.client.network.NetHandlerPlayClient [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.client.network.NetHandlerPlayClient [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class bud net.minecraft.client.entity.EntityPlayerSP [11:08:42] [main/INFO]: Launching wrapped minecraft {net.minecraft.client.main.Main} [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.client.Minecraft [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class bsb net.minecraft.client.multiplayer.WorldClient [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.client.multiplayer.WorldClient [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class bsb net.minecraft.client.multiplayer.WorldClient [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.client.multiplayer.WorldClient [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraftforge.client.GuiIngameForge net.minecraftforge.client.GuiIngameForge [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class bud net.minecraft.client.entity.EntityPlayerSP [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class bua net.minecraft.client.entity.AbstractClientPlayer [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.client.entity.AbstractClientPlayer [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class aed net.minecraft.entity.player.EntityPlayer [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.entity.player.EntityPlayer [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class bua net.minecraft.client.entity.AbstractClientPlayer [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.client.entity.AbstractClientPlayer [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class aed net.minecraft.entity.player.EntityPlayer [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.entity.player.EntityPlayer [11:08:42] [main/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.server.MinecraftServer net.minecraft.server.MinecraftServer [11:08:42] [main/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.server.MinecraftServer [11:08:42] [Client thread/INFO]: Setting user: {MINECRAFT_USERNAME} [11:08:43] [Client thread/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class oq net.minecraft.entity.player.EntityPlayerMP [11:08:43] [Client thread/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.entity.player.EntityPlayerMP [11:08:44] [Client thread/WARN]: Skipping bad option: lastServer: [11:08:44] [Client thread/INFO]: LWJGL Version: 2.9.4 [11:08:44] [Client thread/INFO]: -- System Details --   Minecraft Version: 1.12.2   Operating System: Windows 11 (amd64) version 10.0   Java Version: 1.8.0_402, Azul Systems, Inc.   Java VM Version: OpenJDK 64-Bit Server VM (mixed mode), Azul Systems, Inc.   Memory: 493932328 bytes (471 MB) / 1040711680 bytes (992 MB) up to 1908932608 bytes (1820 MB)   JVM Flags: 1 total; -Xmx2048M   IntCache: cache: 0, tcache: 0, allocated: 0, tallocated: 0   FML:    Loaded coremods (and transformers): ForgelinPlugin (Forgelin-1.8.3.jar)                                                                                FutureMC (future-mc-0.2.15.jar)                                         thedarkcolour.futuremc.asm.CoreTransformer                                       TransformLoader (DynamicSurroundings-1.12.2-3.6.1.0.jar)                                                                                VanillaFixLoadingPlugin (VanillaFix-1.0.10-150.jar)                                                                                XaeroMinimapPlugin (Xaeros_Minimap_24.2.0_Forge_1.12.jar)                                         xaero.common.core.transformer.ChunkTransformer                                         xaero.common.core.transformer.NetHandlerPlayClientTransformer                                         xaero.common.core.transformer.EntityPlayerTransformer                                         xaero.common.core.transformer.AbstractClientPlayerTransformer                                         xaero.common.core.transformer.WorldClientTransformer                                         xaero.common.core.transformer.EntityPlayerMPTransformer                                         xaero.common.core.transformer.EntityPlayerSPTransformer                                         xaero.common.core.transformer.PlayerListTransformer                                         xaero.common.core.transformer.SaveFormatTransformer                                         xaero.common.core.transformer.GuiIngameForgeTransformer                                         xaero.common.core.transformer.MinecraftServerTransformer                                         xaero.common.core.transformer.GuiBossOverlayTransformer                                         xaero.common.core.transformer.ModelRendererTransformer                                       XaeroWorldMapPlugin (XaerosWorldMap_1.38.8_Forge_1.12.jar)                                         xaero.map.core.transformer.ChunkTransformer                                         xaero.map.core.transformer.NetHandlerPlayClientTransformer                                         xaero.map.core.transformer.EntityPlayerTransformer                                         xaero.map.core.transformer.AbstractClientPlayerTransformer                                         xaero.map.core.transformer.WorldClientTransformer                                         xaero.map.core.transformer.EntityPlayerMPTransformer                                         xaero.map.core.transformer.PlayerListTransformer                                         xaero.map.core.transformer.SaveFormatTransformer                                         xaero.map.core.transformer.BiomeColorHelperTransformer                                         xaero.map.core.transformer.MinecraftServerTransformer                                         xaero.map.core.transformer.MinecraftTransformer                                       SpartanWeaponry-MixinLoader (SpartanWeaponry-1.12.2-1.4.1.jar)                                                                                LoadingPlugin (HardcoreDarkness-MC1.12.2-2.0.jar)                                         lumien.hardcoredarkness.asm.ClassTransformer                                       CreativePatchingLoader (CreativeCore_v1.10.62_mc1.12.2.jar)                                                                                LoadingPlugin (Bloodmoon-MC1.12.2-1.5.3.jar)                                         lumien.bloodmoon.asm.ClassTransformer   GL info: ' Vendor: 'NVIDIA Corporation' Version: '4.6.0 NVIDIA 552.12' Renderer: 'NVIDIA GeForce RTX 3080/PCIe/SSE2'   Suspected Mods: Unknown [11:08:44] [Client thread/INFO]: MinecraftForge v14.23.5.2860 Initialized [11:08:44] [Client thread/INFO]: Starts to replace vanilla recipe ingredients with ore ingredients. [11:08:45] [Client thread/INFO]: Invalid recipe found with multiple oredict ingredients in the same ingredient... [11:08:45] [Client thread/INFO]: Replaced 1227 ore ingredients [11:08:45] [Client thread/INFO]: Searching C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods for mods [11:08:46] [Client thread/WARN]: Mod spiderstpo is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.0.2 [11:08:46] [Client thread/WARN]: Mod vanillafix is missing the required element 'version' and a version.properties file could not be found. Falling back to metadata version 1.0.10-150 [11:08:46] [Client thread/INFO]: Forge Mod Loader has identified 57 mods to load [11:08:46] [Client thread/INFO]: FML has found a non-mod file MTS+Official+Pack-1.12.2-V25.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible. [11:08:46] [Client thread/WARN]: Error loading class: team/chisel/client/TextureStitcher$MagicStitchingSprite (java.lang.ClassNotFoundException: The specified class 'team.chisel.client.TextureStitcher$MagicStitchingSprite' was not found) [11:08:46] [Client thread/WARN]: Error loading class: openblocks/client/renderer/tileentity/TileEntityTankRenderer (java.lang.ClassNotFoundException: The specified class 'openblocks.client.renderer.tileentity.TileEntityTankRenderer' was not found) [11:08:46] [Client thread/WARN]: Error loading class: slimeknights/tconstruct/library/client/GuiUtil (java.lang.ClassNotFoundException: The specified class 'slimeknights.tconstruct.library.client.GuiUtil' was not found) [11:08:46] [Client thread/WARN]: Error loading class: slimeknights/tconstruct/library/client/RenderUtil (java.lang.ClassNotFoundException: The specified class 'slimeknights.tconstruct.library.client.RenderUtil' was not found) [11:08:46] [Client thread/WARN]: Error loading class: morph/avaritia/client/render/item/HaloRenderItem (java.lang.ClassNotFoundException: The specified class 'morph.avaritia.client.render.item.HaloRenderItem' was not found) [11:08:46] [Client thread/WARN]: Error loading class: morph/avaritia/client/render/item/WrappedItemRenderer (java.lang.ClassNotFoundException: The specified class 'morph.avaritia.client.render.item.WrappedItemRenderer' was not found) [11:08:46] [Client thread/INFO]: Attempting connection with missing mods [minecraft, mcp, FML, forge, creativecoredummy, xaerominimap_core, xaeroworldmap_core, abyssalcraft, aiimprovements, ambientenvironment, ambientsounds, badmobs, biomesoplenty, bloodmoon, chancecubes, extendedrenderer, coroutil, configmod, creativecore, darknesslib, dimdoors, dynamictrees, dsurround, epicfight, eyesinthedarkness, mod_lavacow, forgelin, futuremc, grue, hardcoredarkness, horror_elements_mod, ichunutil, mts, immersiverailroading, jei, mcwfences, mobdismemberment, mutantbeasts, naturescompass, hbm, additionalstructures, roguelike, simple_paraglider, soundfilters, spartanshields, spartanweaponry, spiderstpo, srparasites, spooky_scary_skeletons, trackapi, universalmodcore, vanillafix, xaerominimap, xaeroworldmap, zombieawareness, orelib, weeping-angels] at CLIENT [11:08:46] [Client thread/INFO]: Attempting connection with missing mods [minecraft, mcp, FML, forge, creativecoredummy, xaerominimap_core, xaeroworldmap_core, abyssalcraft, aiimprovements, ambientenvironment, ambientsounds, badmobs, biomesoplenty, bloodmoon, chancecubes, extendedrenderer, coroutil, configmod, creativecore, darknesslib, dimdoors, dynamictrees, dsurround, epicfight, eyesinthedarkness, mod_lavacow, forgelin, futuremc, grue, hardcoredarkness, horror_elements_mod, ichunutil, mts, immersiverailroading, jei, mcwfences, mobdismemberment, mutantbeasts, naturescompass, hbm, additionalstructures, roguelike, simple_paraglider, soundfilters, spartanshields, spartanweaponry, spiderstpo, srparasites, spooky_scary_skeletons, trackapi, universalmodcore, vanillafix, xaerominimap, xaeroworldmap, zombieawareness, orelib, weeping-angels] at SERVER [11:08:47] [Thread-3/INFO]: Using sync timing. 200 frames of Display.update took 14306900 nanos [11:08:47] [Client thread/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class brs net.minecraft.client.model.ModelRenderer [11:08:48] [Client thread/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class axw net.minecraft.world.chunk.Chunk [11:08:48] [Client thread/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.world.chunk.Chunk [11:08:48] [Client thread/INFO]: [cam72cam.mod.ModCore:<init>:66]: Welcome to UniversalModCore! [11:08:49] [Client thread/INFO]: [com.tmtravlr.soundfilters.SoundFiltersMod:<clinit>:92]: [Sound Filters] Loaded modified library. [11:08:49] [Client thread/INFO]: Reloading ResourceManager: Default, ImmersiveRailroading-1.12.2-forge-1.10.0.jar, UniversalModCore-1.12.2-forge-1.2.1.jar, FMLFileResourcePack:Forge Mod Loader, FMLFileResourcePack:Minecraft Forge, FMLFileResourcePack:AbyssalCraft, FMLFileResourcePack:AI Improvements, FMLFileResourcePack:Ambient Environment, FMLFileResourcePack:AmbientSounds, FMLFileResourcePack:Bad Mobs, FMLFileResourcePack:Biomes O' Plenty, FMLFileResourcePack:Bloodmoon, FMLFileResourcePack:Chance Cubes, FMLFileResourcePack:Extended Renderer, FMLFileResourcePack:CoroUtil Library, FMLFileResourcePack:Extended Mod Config, FMLFileResourcePack:CreativeCore, FMLFileResourcePack:DarknessLib, FMLFileResourcePack:Dimensional Doors, FMLFileResourcePack:Dramatic Trees, FMLFileResourcePack:Dynamic Surroundings, FMLFileResourcePack:Epic Fight Mod, FMLFileResourcePack:Eyes in the Darkness, FMLFileResourcePack:Fish's Undead Rising, FMLFileResourcePack:Shadowfacts' Forgelin, FMLFileResourcePack:Future MC, FMLFileResourcePack:Grue, FMLFileResourcePack:Hardcore Darkness, FMLFileResourcePack:Horror elements mod, FMLFileResourcePack:iChunUtil, FMLFileResourcePack:Immersive Vehicles (formerly MTS), FMLFileResourcePack:Immersive Railroading, FMLFileResourcePack:Just Enough Items, FMLFileResourcePack:Macaw's Fences and Walls, FMLFileResourcePack:MobDismemberment, FMLFileResourcePack:Mutant Beasts, FMLFileResourcePack:Nature's Compass, FMLFileResourcePack:HBM's Nuclear Tech - Extended Edition, FMLFileResourcePack:Rex's Additional Structures, FMLFileResourcePack:Roguelike Dungeons, FMLFileResourcePack:Simple Paraglider, FMLFileResourcePack:Sound Filters, FMLFileResourcePack:Spartan Shields, FMLFileResourcePack:Spartan Weaponry, FMLFileResourcePack:Spiders 2.0, FMLFileResourcePack:Scape and Run Parasites, FMLFileResourcePack:Spooky Scary Skeletons, FMLFileResourcePack:Track API, FMLFileResourcePack:UniversalModCore, FMLFileResourcePack:VanillaFix, FMLFileResourcePack:Xaero's Minimap, FMLFileResourcePack:Xaero's World Map, FMLFileResourcePack:Zombie Awareness, FMLFileResourcePack:OreLib Support Mod, FMLFileResourcePack:Weeping Angels, UniversalModCore-1.12.2-forge-1.2.1.jar, ImmersiveRailroading-1.12.2-forge-1.10.0.jar [11:08:49] [Client thread/WARN]: Unable to parse language metadata section of resourcepack: UniversalModCore-1.12.2-forge-1.2.1.jar net.minecraft.client.resources.ResourcePackFileNotFoundException: 'pack.mcmeta' in ResourcePack 'C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods\UniversalModCore-1.12.2-forge-1.2.1.jar'     at net.minecraft.client.resources.FileResourcePack.func_110591_a(SourceFile:41) ~[cej.class:?]     at cam72cam.mod.ModCore$ClientProxy$2.func_110591_a(ModCore.java:221) ~[ModCore$ClientProxy$2.class:?]     at net.minecraft.client.resources.AbstractResourcePack.func_135058_a(SourceFile:60) ~[ced.class:?]     at net.minecraft.client.resources.LanguageManager.func_135043_a(SourceFile:43) [cfa.class:?]     at net.minecraft.client.Minecraft.func_110436_a(Minecraft.java:822) [bib.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.beginMinecraftLoading(FMLClientHandler.java:247) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:467) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] [11:08:49] [Client thread/WARN]: Unable to parse language metadata section of resourcepack: UniversalModCore-1.12.2-forge-1.2.1.jar net.minecraft.client.resources.ResourcePackFileNotFoundException: 'pack.mcmeta' in ResourcePack 'C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods\UniversalModCore-1.12.2-forge-1.2.1.jar'     at net.minecraft.client.resources.FileResourcePack.func_110591_a(SourceFile:41) ~[cej.class:?]     at cam72cam.mod.ModCore$ClientProxy$2.func_110591_a(ModCore.java:221) ~[ModCore$ClientProxy$2.class:?]     at net.minecraft.client.resources.AbstractResourcePack.func_135058_a(SourceFile:60) ~[ced.class:?]     at net.minecraft.client.resources.LanguageManager.func_135043_a(SourceFile:43) [cfa.class:?]     at net.minecraft.client.Minecraft.func_110436_a(Minecraft.java:822) [bib.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.beginMinecraftLoading(FMLClientHandler.java:247) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:467) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] [11:08:49] [Client thread/INFO]: Processing ObjectHolder annotations [11:08:50] [Client thread/INFO]: Found 1539 ObjectHolder annotations [11:08:50] [Client thread/INFO]: Identifying ItemStackHolder annotations [11:08:50] [Client thread/INFO]: Found 0 ItemStackHolder annotations [11:08:50] [Client thread/INFO]: Configured a dormant chunk cache size of 0 [11:08:50] [Forge Version Check/INFO]: [dsurround] Starting version check at https://raw.githubusercontent.com/OreCruncher/DynamicSurroundings/master/version.json [11:08:50] [Forge Version Check/INFO]: [grue] Starting version check at https://raw.githubusercontent.com/Shinoow/Grue/master/version.json [11:08:50] [Forge Version Check/INFO]: [grue] Found status: UP_TO_DATE Target: null [11:08:50] [Forge Version Check/INFO]: [vanillafix] Starting version check at https://gist.githubusercontent.com/Runemoro/28e8cf4c24a5f17f508a5d34f66d229f/raw/vanillafix_update.json [11:08:50] [Client thread/INFO]: Starting the Integration Handler. [11:08:50] [Client thread/INFO]: OBJLoader: Domain abyssalcraft has been added. [11:08:51] [Forge Version Check/INFO]: [vanillafix] Found status: AHEAD Target: null [11:08:51] [Forge Version Check/INFO]: [weeping-angels] Starting version check at https://raw.githubusercontent.com/Suffril/Weeping-Angels-Mod/master/update.json [11:08:51] [Forge Version Check/INFO]: [dynamictrees] Starting version check at https://github.com/DynamicTreesTeam/DynamicTreesVersionInfo/blob/master/DynamicTrees.json?raw=true [11:08:51] [Client thread/INFO]: Reloading ResourceManager: Default, ImmersiveRailroading-1.12.2-forge-1.10.0.jar, UniversalModCore-1.12.2-forge-1.2.1.jar, FMLFileResourcePack:Forge Mod Loader, FMLFileResourcePack:Minecraft Forge, FMLFileResourcePack:AbyssalCraft, FMLFileResourcePack:AI Improvements, FMLFileResourcePack:Ambient Environment, FMLFileResourcePack:AmbientSounds, FMLFileResourcePack:Bad Mobs, FMLFileResourcePack:Biomes O' Plenty, FMLFileResourcePack:Bloodmoon, FMLFileResourcePack:Chance Cubes, FMLFileResourcePack:Extended Renderer, FMLFileResourcePack:CoroUtil Library, FMLFileResourcePack:Extended Mod Config, FMLFileResourcePack:CreativeCore, FMLFileResourcePack:DarknessLib, FMLFileResourcePack:Dimensional Doors, FMLFileResourcePack:Dramatic Trees, FMLFileResourcePack:Dynamic Surroundings, FMLFileResourcePack:Epic Fight Mod, FMLFileResourcePack:Eyes in the Darkness, FMLFileResourcePack:Fish's Undead Rising, FMLFileResourcePack:Shadowfacts' Forgelin, FMLFileResourcePack:Future MC, FMLFileResourcePack:Grue, FMLFileResourcePack:Hardcore Darkness, FMLFileResourcePack:Horror elements mod, FMLFileResourcePack:iChunUtil, FMLFileResourcePack:Immersive Vehicles (formerly MTS), FMLFileResourcePack:Immersive Railroading, FMLFileResourcePack:Just Enough Items, FMLFileResourcePack:Macaw's Fences and Walls, FMLFileResourcePack:MobDismemberment, FMLFileResourcePack:Mutant Beasts, FMLFileResourcePack:Nature's Compass, FMLFileResourcePack:HBM's Nuclear Tech - Extended Edition, FMLFileResourcePack:Rex's Additional Structures, FMLFileResourcePack:Roguelike Dungeons, FMLFileResourcePack:Simple Paraglider, FMLFileResourcePack:Sound Filters, FMLFileResourcePack:Spartan Shields, FMLFileResourcePack:Spartan Weaponry, FMLFileResourcePack:Spiders 2.0, FMLFileResourcePack:Scape and Run Parasites, FMLFileResourcePack:Spooky Scary Skeletons, FMLFileResourcePack:Track API, FMLFileResourcePack:UniversalModCore, FMLFileResourcePack:VanillaFix, FMLFileResourcePack:Xaero's Minimap, FMLFileResourcePack:Xaero's World Map, FMLFileResourcePack:Zombie Awareness, FMLFileResourcePack:OreLib Support Mod, FMLFileResourcePack:Weeping Angels, UniversalModCore-1.12.2-forge-1.2.1.jar, ImmersiveRailroading-1.12.2-forge-1.10.0.jar, CustomSounds-Resourcepack.zip [11:08:51] [Client thread/WARN]: Unable to parse language metadata section of resourcepack: UniversalModCore-1.12.2-forge-1.2.1.jar net.minecraft.client.resources.ResourcePackFileNotFoundException: 'pack.mcmeta' in ResourcePack 'C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods\UniversalModCore-1.12.2-forge-1.2.1.jar'     at net.minecraft.client.resources.FileResourcePack.func_110591_a(SourceFile:41) ~[cej.class:?]     at cam72cam.mod.ModCore$ClientProxy$2.func_110591_a(ModCore.java:221) ~[ModCore$ClientProxy$2.class:?]     at net.minecraft.client.resources.AbstractResourcePack.func_135058_a(SourceFile:60) ~[ced.class:?]     at net.minecraft.client.resources.LanguageManager.func_135043_a(SourceFile:43) [cfa.class:?]     at net.minecraft.client.Minecraft.func_110436_a(Minecraft.java:822) [bib.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.refreshResources(FMLClientHandler.java:1128) [FMLClientHandler.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.refreshResources(FMLClientHandler.java:1121) [FMLClientHandler.class:?]     at chanceCubes.sounds.CustomSoundsLoader.assemble(CustomSoundsLoader.java:113) [CustomSoundsLoader.class:?]     at chanceCubes.config.CustomRewardsLoader.<init>(CustomRewardsLoader.java:43) [CustomRewardsLoader.class:?]     at chanceCubes.config.ConfigLoader.loadConfigSettings(ConfigLoader.java:90) [ConfigLoader.class:?]     at chanceCubes.CCubesCore.load(CCubesCore.java:85) [CCubesCore.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraftforge.fml.common.FMLModContainer.handleModStateEvent(FMLModContainer.java:637) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.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_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.preinitializeMods(Loader.java:629) [Loader.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.beginMinecraftLoading(FMLClientHandler.java:252) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:467) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] [11:08:51] [Client thread/WARN]: Unable to parse language metadata section of resourcepack: UniversalModCore-1.12.2-forge-1.2.1.jar net.minecraft.client.resources.ResourcePackFileNotFoundException: 'pack.mcmeta' in ResourcePack 'C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods\UniversalModCore-1.12.2-forge-1.2.1.jar'     at net.minecraft.client.resources.FileResourcePack.func_110591_a(SourceFile:41) ~[cej.class:?]     at cam72cam.mod.ModCore$ClientProxy$2.func_110591_a(ModCore.java:221) ~[ModCore$ClientProxy$2.class:?]     at net.minecraft.client.resources.AbstractResourcePack.func_135058_a(SourceFile:60) ~[ced.class:?]     at net.minecraft.client.resources.LanguageManager.func_135043_a(SourceFile:43) [cfa.class:?]     at net.minecraft.client.Minecraft.func_110436_a(Minecraft.java:822) [bib.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.refreshResources(FMLClientHandler.java:1128) [FMLClientHandler.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.refreshResources(FMLClientHandler.java:1121) [FMLClientHandler.class:?]     at chanceCubes.sounds.CustomSoundsLoader.assemble(CustomSoundsLoader.java:113) [CustomSoundsLoader.class:?]     at chanceCubes.config.CustomRewardsLoader.<init>(CustomRewardsLoader.java:43) [CustomRewardsLoader.class:?]     at chanceCubes.config.ConfigLoader.loadConfigSettings(ConfigLoader.java:90) [ConfigLoader.class:?]     at chanceCubes.CCubesCore.load(CCubesCore.java:85) [CCubesCore.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraftforge.fml.common.FMLModContainer.handleModStateEvent(FMLModContainer.java:637) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.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_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.preinitializeMods(Loader.java:629) [Loader.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.beginMinecraftLoading(FMLClientHandler.java:252) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:467) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] [11:08:51] [Client thread/INFO]: darknesslib added a Light Provider function! [11:08:52] [Client thread/INFO]: [com.ferreusveritas.dynamictrees.ModConfigs:preInit:116]: DynamicTrees BlackListed DimValue: 7 [11:08:52] [Client thread/WARN]: Potentially Dangerous alternative prefix `minecraft` for name `species_tile_entity`, expected `dynamictrees`. This could be a intended override, but in most cases indicates a broken mod. [11:08:52] [Client thread/WARN]: Potentially Dangerous alternative prefix `minecraft` for name `bonsai_tile_entity`, expected `dynamictrees`. This could be a intended override, but in most cases indicates a broken mod. [11:08:52] [Client thread/INFO]: Loading language resources [orelib:en_us] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$profiles::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$commands::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$commands$calc::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$commands$ds::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$speechbubbles::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$player::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$sound::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$effects::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$biomes::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$aurora::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$general::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$fog::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$rain::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$logging::PATH] [11:08:52] [Client thread/WARN]: Unable to locate field [org.orecruncher.dsurround.ModOptions$asm::PATH] [11:08:52] [Client thread/INFO]: Loading language resources [dsurround:en_us] [11:08:52] [Forge Version Check/INFO]: [dynamictrees] Found status: AHEAD Target: null [11:08:52] [Forge Version Check/INFO]: [forge] Starting version check at http://files.minecraftforge.net/maven/net/minecraftforge/forge/promotions_slim.json [11:08:52] [Client thread/INFO]: OBJLoader: Domain horror_elements_mod has been added. [11:08:52] [Client thread/ERROR]: MTSERROR: Welcome to MTS VERSION:22.8.0 [11:08:53] [Client thread/INFO]: Detected 1820MB of memory free [11:08:53] [Client thread/INFO]: Adjusted to 1820MB of memory free [11:08:53] [Client thread/INFO]: Using 1 threads to load Immersive Railroading (1024MB per thread) [11:08:53] [ImmersiveRailroading-1/INFO]: Loading stock models. [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/rodgers_460_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/skookum_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/br01_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/cooke_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/k36_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/passenger/br_coach_mk1.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/passenger/b70baggage.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/passenger/p70coach1.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/boxcar_x26.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/usra_boxcar_classrr40.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/70t_hopper_slsf.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/attx_flatcar_1.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/dw_gondola.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/prr_flatcar_1.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/usra_hopper_55t.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/n5c_cabin_car.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/russell_snow_plow.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/drgw_3000class_boxcar.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/drgw_1000class_gondola.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/drgw_5500class_stockcar.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/drgw_rail_and_tie_outfit.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/freight/waycar.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tank/tank_us2.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tank/kamx_t.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tank/slag_car_1.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/hand_car/hand_car_1.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/ge_40_ton_boxcab.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/ge_b40_8.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/ge_b40_8w.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/ge_c44_9cw.json [11:08:54] [ImmersiveRailroading-1/INFO]: [cam72cam.immersiverailroading.registry.DefinitionManager:lambda$initModels$4:240]: GC [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/emd_sd40-2.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/emd_sw1500.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/alco_rs1.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/a1_peppercorn_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/big_boy_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/k4_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/e6_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/a5_tender.json [11:08:54] [ImmersiveRailroading-1/INFO]: rolling_stock/tender/class_38_tender.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/a1_peppercorn.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/big_boy.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/k4_pacific.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/e6_atlantic.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/a5_switcher.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/class_38.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/rodgers_460.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/skookum.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/br01.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/cooke_mogul.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/k36.json [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/firefly.json [11:08:55] [Forge Version Check/INFO]: [forge] Found status: AHEAD Target: null [11:08:55] [Forge Version Check/INFO]: [abyssalcraft] Starting version check at https://raw.githubusercontent.com/Shinoow/AbyssalCraft/master/version.json [11:08:55] [ImmersiveRailroading-1/INFO]: [cam72cam.immersiverailroading.registry.DefinitionManager:lambda$initModels$4:240]: GC [11:08:55] [ImmersiveRailroading-1/INFO]: rolling_stock/locomotives/iron_duke.json [11:08:55] [Client thread/INFO]: Loading tracks. [11:08:55] [Client thread/INFO]: default [11:08:55] [Forge Version Check/INFO]: [abyssalcraft] Found status: OUTDATED Target: 1.10.6 [11:08:55] [Forge Version Check/INFO]: [darknesslib] Starting version check at https://raw.githubusercontent.com/Shinoow/DarknessLib/master/version.json [11:08:55] [Client thread/INFO]: concrete [11:08:55] [Client thread/INFO]: railsonly [11:08:55] [Client thread/INFO]: default [11:08:55] [Client thread/INFO]: concrete [11:08:55] [Client thread/INFO]: railsonly [11:08:55] [Client thread/INFO]: default [11:08:55] [Client thread/INFO]: concrete [11:08:55] [Client thread/INFO]: railsonly [11:08:55] [Client thread/INFO]: Advanced rendering fully supported [11:08:55] [Client thread/ERROR]: Warning - Open GL 3.3 not supported! Disabling 3.3 effects... [11:08:55] [Client thread/ERROR]: Shader effects manually disabled [11:08:55] [Forge Version Check/INFO]: [darknesslib] Found status: UP_TO_DATE Target: null [11:08:55] [Forge Version Check/INFO]: [orelib] Starting version check at https://raw.githubusercontent.com/OreCruncher/OreLib/master/version.json [11:08:56] [Forge Version Check/INFO]: [orelib] Found status: UP_TO_DATE Target: null [11:08:57] [Client thread/INFO]: Searching for new versions... [11:08:57] [Client thread/INFO]: Found version NTM-Extended-1.12.2-2.0.2 [11:08:57] [Client thread/INFO]: Found changelog §aAdded more Conveyor stuff$§aAdded 1.7 Gerald Crater$§aAdded RBMK Fuel Uncrafting JEI Tab$§aAdded onArmor Jetpack fueling$§aAdded rare earth ore chunk$§dOptimized Nuke TPS/Speed/FPS$§bChanged Desh and Saturnite battery balance$§bChanged DFC to explode after overheating 60s even with jamming$§eFixed Meteor Dungeons$§eFixed HE-RF Converters$§eFixed MKU and 40 more bugs$§cRemoved chemplant oil processing by default [11:08:57] [Client thread/INFO]: Version checker ended. [11:08:59] [Client thread/INFO]: OBJLoader: Domain hbm has been added. [11:09:00] [Client thread/INFO]: [xxrexraptorxx.additionalstructures.proxy.CommonProxy:preInit:34]: Mystcraft not found - integration not active [11:09:00] [Client thread/INFO]: Starting up Spartan Shields! [11:09:00] [Client thread/INFO]: Starting up Spartan Weaponry! [11:09:00] [Client thread/INFO]: API: Loaded internal method handler. API functionality should work now! [11:09:00] [Client thread/INFO]: Defined config version: 2.0 - Loaded config version: 2.0 [11:09:01] [Client thread/INFO]: [MOD COMPATIBILITY] Checked for 2 mods that may be in the list that need patches or alternative code [11:09:01] [Client thread/INFO]: OBJLoader: Domain spooky_scary_skeletons has been added. [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.Modblocks$RegistrationHandler:registerBlocks:94]: Registering Blocks [11:09:01] [Client thread/INFO]: Applying holder lookups [11:09:01] [Client thread/INFO]: Holder lookups applied [11:09:01] [Client thread/INFO]: Items Registered! [11:09:01] [Client thread/INFO]: Registering 10 modded material based weapons [11:09:01] [Client thread/INFO]: Adding weapons for materials: Copper, Tin, Bronze, Steel, Silver, Invar, Platinum, Electrum, Nickel, Lead [11:09:01] [Client thread/INFO]: Items Registered! [11:09:01] [Client thread/INFO]: Applying holder lookups [11:09:01] [Client thread/INFO]: Holder lookups applied [11:09:01] [Client thread/INFO]: Registering Enchantments! [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:438]: Registering entities [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityLavaCow [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityZombieMushroom [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityParasite [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityFoglet [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityZombieFrozen [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityUndeadSwine [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.tameable.EntitySalamander [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityWendigo [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.tameable.EntityMimic [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntitySludgeLord [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntitySludgeJet [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.tameable.EntityLilSludge [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntityWarSmallFireball [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.tameable.EntityRaven [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.flying.EntityPtera [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.flying.EntityVespa [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.tameable.EntityScarecrow [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityVespaCocoon [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.aquatic.EntityPiranha [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.aquatic.EntityZombiePiranha [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntityPiranhaLauncher [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityBoneWorm [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntityAcidJet [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntityFlameJet [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntityHolyGrenade [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityPingu [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityUndertaker [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.tameable.EntityUnburied [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.flying.EntityGhostRay [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityBanshee [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.tameable.EntityWeta [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityAvaton [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntityGhostBomb [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntitySonicBomb [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityForsaken [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntitySkeletonKing [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntitySandBurst [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntityDeathCoil [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityMummy [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.tameable.EntityCactoid [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.EntityCactyrant [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntityCactusThorn [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.flying.EntityEnigmoth [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.tameable.EntityEnigmothLarva [11:09:01] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.ModEntities$RegistrationHandler:onEvent:442]: Registering entity = class com.Fishmod.mod_LavaCow.entities.projectiles.EntityMothScales [11:09:01] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `carfreight`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:01] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `carpassenger`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:01] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `cartank`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:01] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `handcar`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:01] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `locomotivediesel`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:01] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `locomotivesteam`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:01] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `tender`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:01] [Client thread/INFO]: Registering entities! [11:09:02] [Client thread/INFO]: Applying holder lookups [11:09:02] [Client thread/INFO]: Holder lookups applied [11:09:02] [Client thread/INFO]: OBJLoader: Domain chancecubes has been added. [11:09:02] [Client thread/INFO]: OBJLoader: Domain epicfight has been added. [11:09:02] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.init.Modblocks$RegistrationHandler:onModelEvent:131]: Registering block models [11:09:02] [Client thread/INFO]: Reloading ResourceManager: Default, ImmersiveRailroading-1.12.2-forge-1.10.0.jar, UniversalModCore-1.12.2-forge-1.2.1.jar, FMLFileResourcePack:Forge Mod Loader, FMLFileResourcePack:Minecraft Forge, FMLFileResourcePack:AbyssalCraft, FMLFileResourcePack:AI Improvements, FMLFileResourcePack:Ambient Environment, FMLFileResourcePack:AmbientSounds, FMLFileResourcePack:Bad Mobs, FMLFileResourcePack:Biomes O' Plenty, FMLFileResourcePack:Bloodmoon, FMLFileResourcePack:Chance Cubes, FMLFileResourcePack:Extended Renderer, FMLFileResourcePack:CoroUtil Library, FMLFileResourcePack:Extended Mod Config, FMLFileResourcePack:CreativeCore, FMLFileResourcePack:DarknessLib, FMLFileResourcePack:Dimensional Doors, FMLFileResourcePack:Dramatic Trees, FMLFileResourcePack:Dynamic Surroundings, FMLFileResourcePack:Epic Fight Mod, FMLFileResourcePack:Eyes in the Darkness, FMLFileResourcePack:Fish's Undead Rising, FMLFileResourcePack:Shadowfacts' Forgelin, FMLFileResourcePack:Future MC, FMLFileResourcePack:Grue, FMLFileResourcePack:Hardcore Darkness, FMLFileResourcePack:Horror elements mod, FMLFileResourcePack:iChunUtil, FMLFileResourcePack:Immersive Vehicles (formerly MTS), FMLFileResourcePack:Immersive Railroading, FMLFileResourcePack:Just Enough Items, FMLFileResourcePack:Macaw's Fences and Walls, FMLFileResourcePack:MobDismemberment, FMLFileResourcePack:Mutant Beasts, FMLFileResourcePack:Nature's Compass, FMLFileResourcePack:HBM's Nuclear Tech - Extended Edition, FMLFileResourcePack:Rex's Additional Structures, FMLFileResourcePack:Roguelike Dungeons, FMLFileResourcePack:Simple Paraglider, FMLFileResourcePack:Sound Filters, FMLFileResourcePack:Spartan Shields, FMLFileResourcePack:Spartan Weaponry, FMLFileResourcePack:Spiders 2.0, FMLFileResourcePack:Scape and Run Parasites, FMLFileResourcePack:Spooky Scary Skeletons, FMLFileResourcePack:Track API, FMLFileResourcePack:UniversalModCore, FMLFileResourcePack:VanillaFix, FMLFileResourcePack:Xaero's Minimap, FMLFileResourcePack:Xaero's World Map, FMLFileResourcePack:Zombie Awareness, FMLFileResourcePack:OreLib Support Mod, FMLFileResourcePack:Weeping Angels, UniversalModCore-1.12.2-forge-1.2.1.jar, ImmersiveRailroading-1.12.2-forge-1.10.0.jar, CustomSounds-Resourcepack.zip, Internal:mts_packs, Internal:mts, Internal:mtsofficialpack [11:09:02] [Client thread/WARN]: Unable to parse language metadata section of resourcepack: UniversalModCore-1.12.2-forge-1.2.1.jar net.minecraft.client.resources.ResourcePackFileNotFoundException: 'pack.mcmeta' in ResourcePack 'C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods\UniversalModCore-1.12.2-forge-1.2.1.jar'     at net.minecraft.client.resources.FileResourcePack.func_110591_a(SourceFile:41) ~[cej.class:?]     at cam72cam.mod.ModCore$ClientProxy$2.func_110591_a(ModCore.java:221) ~[ModCore$ClientProxy$2.class:?]     at net.minecraft.client.resources.AbstractResourcePack.func_135058_a(SourceFile:60) ~[ced.class:?]     at net.minecraft.client.resources.LanguageManager.func_135043_a(SourceFile:43) [cfa.class:?]     at net.minecraft.client.Minecraft.func_110436_a(Minecraft.java:822) [bib.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.refreshResources(FMLClientHandler.java:1128) [FMLClientHandler.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.refreshResources(FMLClientHandler.java:1121) [FMLClientHandler.class:?]     at mcinterface1122.InterfaceEventsModelLoader.registerModels(InterfaceEventsModelLoader.java:165) [InterfaceEventsModelLoader.class:?]     at net.minecraftforge.fml.common.eventhandler.ASMEventHandler_142_InterfaceEventsModelLoader_registerModels_ModelRegistryEvent.invoke(.dynamic) [?:?]     at net.minecraftforge.fml.common.eventhandler.ASMEventHandler.invoke(ASMEventHandler.java:90) [ASMEventHandler.class:?]     at net.minecraftforge.fml.common.eventhandler.EventBus$1.invoke(EventBus.java:144) [EventBus$1.class:?]     at net.minecraftforge.fml.common.eventhandler.EventBus.post(EventBus.java:182) [EventBus.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.fireSidedRegistryEvents(FMLClientHandler.java:1062) [FMLClientHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.fireSidedRegistryEvents(FMLCommonHandler.java:764) [FMLCommonHandler.class:?]     at net.minecraftforge.fml.common.Loader.preinitializeMods(Loader.java:631) [Loader.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.beginMinecraftLoading(FMLClientHandler.java:252) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:467) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] [11:09:02] [Client thread/WARN]: Unable to parse language metadata section of resourcepack: UniversalModCore-1.12.2-forge-1.2.1.jar net.minecraft.client.resources.ResourcePackFileNotFoundException: 'pack.mcmeta' in ResourcePack 'C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods\UniversalModCore-1.12.2-forge-1.2.1.jar'     at net.minecraft.client.resources.FileResourcePack.func_110591_a(SourceFile:41) ~[cej.class:?]     at cam72cam.mod.ModCore$ClientProxy$2.func_110591_a(ModCore.java:221) ~[ModCore$ClientProxy$2.class:?]     at net.minecraft.client.resources.AbstractResourcePack.func_135058_a(SourceFile:60) ~[ced.class:?]     at net.minecraft.client.resources.LanguageManager.func_135043_a(SourceFile:43) [cfa.class:?]     at net.minecraft.client.Minecraft.func_110436_a(Minecraft.java:822) [bib.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.refreshResources(FMLClientHandler.java:1128) [FMLClientHandler.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.refreshResources(FMLClientHandler.java:1121) [FMLClientHandler.class:?]     at mcinterface1122.InterfaceEventsModelLoader.registerModels(InterfaceEventsModelLoader.java:165) [InterfaceEventsModelLoader.class:?]     at net.minecraftforge.fml.common.eventhandler.ASMEventHandler_142_InterfaceEventsModelLoader_registerModels_ModelRegistryEvent.invoke(.dynamic) [?:?]     at net.minecraftforge.fml.common.eventhandler.ASMEventHandler.invoke(ASMEventHandler.java:90) [ASMEventHandler.class:?]     at net.minecraftforge.fml.common.eventhandler.EventBus$1.invoke(EventBus.java:144) [EventBus$1.class:?]     at net.minecraftforge.fml.common.eventhandler.EventBus.post(EventBus.java:182) [EventBus.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.fireSidedRegistryEvents(FMLClientHandler.java:1062) [FMLClientHandler.class:?]     at net.minecraftforge.fml.common.FMLCommonHandler.fireSidedRegistryEvents(FMLCommonHandler.java:764) [FMLCommonHandler.class:?]     at net.minecraftforge.fml.common.Loader.preinitializeMods(Loader.java:631) [Loader.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.beginMinecraftLoading(FMLClientHandler.java:252) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:467) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] [11:09:02] [Client thread/INFO]: Registered all block renders! [11:09:02] [Client thread/INFO]: Registered all item renders! [11:09:02] [Client thread/INFO]: Registered all item renders! [11:09:02] [Client thread/INFO]: Applying holder lookups [11:09:02] [Client thread/INFO]: Holder lookups applied [11:09:02] [Client thread/INFO]: Injecting itemstacks [11:09:02] [Client thread/INFO]: Itemstack injection complete [11:09:02] [Client thread/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class bfc net.minecraft.world.storage.SaveFormatOld [11:09:02] [Client thread/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.world.storage.SaveFormatOld [11:09:02] [Client thread/INFO]: Sound channels: 207 normal, 16 streaming (total avail: 223) [11:09:02] [Client thread/INFO]: Stream buffers: 3 x 32768 [11:09:02] [Client thread/WARN]: File epicfight:sounds/entity/common/clash.ogg does not exist, cannot add it to event epicfight:entity.common.clash [11:09:02] [Client thread/WARN]: File mod_lavacow:sounds/entity/seahag/screech0.ogg does not exist, cannot add it to event mod_lavacow:entity.sea_hag.screech [11:09:02] [Client thread/WARN]: File mod_lavacow:sounds/entity/seahag/screech1.ogg does not exist, cannot add it to event mod_lavacow:entity.sea_hag.screech [11:09:02] [Client thread/WARN]: Missing sound for event: hbm: [11:09:02] [Sound Library Loader/INFO]: Starting up SoundSystem... [11:09:02] [Thread-5/INFO]: Initializing LWJGL OpenAL [11:09:02] [Thread-5/INFO]: (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org) [11:09:02] [Thread-5/INFO]: OpenAL initialized. [11:09:03] [Client thread/INFO]: OBJLoader.Parser: command 's' (model: 'chancecubes:models/block/d20.obj') is not currently supported, skipping. Line: 41 's off' [11:09:03] [Client thread/INFO]: OBJModel: A color has already been defined for material 'Material' in 'hbm:models/block/difurnace_extension.mtl'. The color defined by key 'Ks' will not be applied! [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ns' (model: 'hbm:models/block/pribris.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJModel: A color has already been defined for material 'PribrisMTL' in 'hbm:models/block/pribris.mtl'. The color defined by key 'Ks' will not be applied! [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ke' (model: 'hbm:models/block/pribris.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ni' (model: 'hbm:models/block/pribris.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'illum' (model: 'hbm:models/block/pribris.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ns' (model: 'hbm:models/block/pribris_burning.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJModel: A color has already been defined for material 'PribrisMTL' in 'hbm:models/block/pribris_burning.mtl'. The color defined by key 'Ks' will not be applied! [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ke' (model: 'hbm:models/block/pribris_burning.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ni' (model: 'hbm:models/block/pribris_burning.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'illum' (model: 'hbm:models/block/pribris_burning.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ns' (model: 'hbm:models/block/pribris_digamma.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJModel: A color has already been defined for material 'PribrisMTL' in 'hbm:models/block/pribris_digamma.mtl'. The color defined by key 'Ks' will not be applied! [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ke' (model: 'hbm:models/block/pribris_digamma.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ni' (model: 'hbm:models/block/pribris_digamma.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'illum' (model: 'hbm:models/block/pribris_digamma.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ns' (model: 'hbm:models/block/pribris_radiating.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJModel: A color has already been defined for material 'PribrisMTL' in 'hbm:models/block/pribris_radiating.mtl'. The color defined by key 'Ks' will not be applied! [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ke' (model: 'hbm:models/block/pribris_radiating.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ni' (model: 'hbm:models/block/pribris_radiating.mtl') is not currently supported, skipping [11:09:03] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'illum' (model: 'hbm:models/block/pribris_radiating.mtl') is not currently supported, skipping [11:09:03] [Sound Library Loader/INFO]: Sound engine started [11:09:04] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ns' (model: 'epicfight:models/item/obj/spear.mtl') is not currently supported, skipping [11:09:04] [Client thread/INFO]: OBJModel: A color has already been defined for material 'None' in 'epicfight:models/item/obj/spear.mtl'. The color defined by key 'Ks' will not be applied! [11:09:04] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'illum' (model: 'epicfight:models/item/obj/spear.mtl') is not currently supported, skipping [11:09:04] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ns' (model: 'epicfight:models/item/obj/greatsword.mtl') is not currently supported, skipping [11:09:04] [Client thread/INFO]: OBJModel: A color has already been defined for material 'None' in 'epicfight:models/item/obj/greatsword.mtl'. The color defined by key 'Ks' will not be applied! [11:09:04] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'illum' (model: 'epicfight:models/item/obj/greatsword.mtl') is not currently supported, skipping [11:09:04] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ns' (model: 'epicfight:models/item/obj/katana.mtl') is not currently supported, skipping [11:09:04] [Client thread/INFO]: OBJModel: A color has already been defined for material 'None' in 'epicfight:models/item/obj/katana.mtl'. The color defined by key 'Ks' will not be applied! [11:09:04] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'illum' (model: 'epicfight:models/item/obj/katana.mtl') is not currently supported, skipping [11:09:04] [Client thread/INFO]: OBJLoader.Parser: command 'l' (model: 'epicfight:models/item/obj/katana.obj') is not currently supported, skipping. Line: 216 'l 55 48' [11:09:04] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'Ns' (model: 'epicfight:models/item/obj/katana.mtl') is not currently supported, skipping [11:09:04] [Client thread/INFO]: OBJModel: A color has already been defined for material 'None' in 'epicfight:models/item/obj/katana.mtl'. The color defined by key 'Ks' will not be applied! [11:09:04] [Client thread/INFO]: OBJLoader.MaterialLibrary: key 'illum' (model: 'epicfight:models/item/obj/katana.mtl') is not currently supported, skipping [11:09:05] [Client thread/INFO]: Max texture size: 16384 [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/drax.png with size 26x26 will have visual artifacts at mip level 4, it can only support level 1. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/d_smoke8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/d_smoke6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/d_smoke7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/d_smoke4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/d_smoke5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/d_smoke2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/d_smoke3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/d_smoke1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/blocks/deco_tape_recorder_flipped.png with size 56x56 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/gasflame1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/gasflame2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/gasflame3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/gasflame4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/gasflame5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/gasflame6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/gasflame7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/gasflame8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/particle/particle_base.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/b_smoke8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/b_smoke4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/b_smoke5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/b_smoke6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/b_smoke7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/b_smoke1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/b_smoke2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/b_smoke3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/orange8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/orange5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/orange4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/orange7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/orange6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/orange1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/orange3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:05] [Client thread/WARN]: Texture hbm:textures/items/orange2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/smoke8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/smoke7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/smoke6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/smoke5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/smoke4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/smoke3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/smoke2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/smoke1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/chlorine8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/chlorine6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/chlorine7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/chlorine4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/chlorine5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/chlorine2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/chlorine3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/chlorine1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/spill8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/spill6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/spill7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/spill4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/spill5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/spill2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/spill3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/spill1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/pc3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/pc4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/pc1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/pc2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/pc7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/pc8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/pc5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/pc6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture mtsofficialpack:textures/textures/items/bullets/bullet762.png with size 34x34 will have visual artifacts at mip level 4, it can only support level 1. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture weeping-angels:textures/items/timey/spin_p.png with size 4x4 will have visual artifacts at mip level 4, it can only support level 2. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/discharge.png with size 24x24 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/models/machines/rtg_cell_flipped.png with size 84x84 will have visual artifacts at mip level 4, it can only support level 2. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/gas4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/gas3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/gas6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/gas5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/gas8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/gas7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/drax_mk3.png with size 26x26 will have visual artifacts at mip level 4, it can only support level 1. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/drax_mk2.png with size 26x26 will have visual artifacts at mip level 4, it can only support level 1. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/gas2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/gas1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/cloud8.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/cloud7.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/cloud2.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/cloud1.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/cloud6.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/cloud5.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/cloud4.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:06] [Client thread/WARN]: Texture hbm:textures/items/cloud3.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:07] [Client thread/WARN]: Texture hbm:textures/models/machines/rtg_polonium_flipped.png with size 84x84 will have visual artifacts at mip level 4, it can only support level 2. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:07] [Client thread/WARN]: Texture hbm:textures/blocks/deco_pole_top_flipped.png with size 20x20 will have visual artifacts at mip level 4, it can only support level 2. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:07] [Client thread/WARN]: Texture mutantbeasts:textures/particle/skull_spirit.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:07] [Client thread/WARN]: Texture hbm:textures/particle/contrail.png with size 8x8 will have visual artifacts at mip level 4, it can only support level 3. Please report to the mod author that the texture should be some multiple of 16x16. [11:09:08] [Client thread/INFO]: Created: 2048x2048 textures-atlas [11:09:08] [Client thread/ERROR]: MultiModel minecraft:builtin/missing is empty (no base model or parts were provided/resolved) [11:09:08] [Client thread/ERROR]: MultiModel minecraft:builtin/missing is empty (no base model or parts were provided/resolved) [11:09:08] [Client thread/ERROR]: MultiModel minecraft:builtin/missing is empty (no base model or parts were provided/resolved) [11:09:09] [Client thread/ERROR]: MultiModel minecraft:builtin/missing is empty (no base model or parts were provided/resolved) [11:09:09] [Client thread/ERROR]: MultiModel minecraft:builtin/missing is empty (no base model or parts were provided/resolved) [11:09:10] [Client thread/ERROR]: Exception loading model for variant hbm:waste_trinitite#meta=8 net.minecraftforge.client.model.ModelLoaderRegistry$LoaderException: Exception loading model hbm:waste_trinitite#meta=8 with loader VariantLoader.INSTANCE, skipping     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:161) ~[ModelLoaderRegistry.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177569_a(ModelLoader.java:235) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:153) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: net.minecraft.client.renderer.block.model.ModelBlockDefinition$MissingVariantException     at net.minecraft.client.renderer.block.model.ModelBlockDefinition.func_188004_c(ModelBlockDefinition.java:83) ~[bvv.class:?]     at net.minecraftforge.client.model.ModelLoader$VariantLoader.loadModel(ModelLoader.java:1175) ~[ModelLoader$VariantLoader.class:?]     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:157) ~[ModelLoaderRegistry.class:?]     ... 15 more [11:09:10] [Client thread/ERROR]: Exception loading model for variant hbm:waste_trinitite#meta=9 net.minecraftforge.client.model.ModelLoaderRegistry$LoaderException: Exception loading model hbm:waste_trinitite#meta=9 with loader VariantLoader.INSTANCE, skipping     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:161) ~[ModelLoaderRegistry.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177569_a(ModelLoader.java:235) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:153) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: net.minecraft.client.renderer.block.model.ModelBlockDefinition$MissingVariantException     at net.minecraft.client.renderer.block.model.ModelBlockDefinition.func_188004_c(ModelBlockDefinition.java:83) ~[bvv.class:?]     at net.minecraftforge.client.model.ModelLoader$VariantLoader.loadModel(ModelLoader.java:1175) ~[ModelLoader$VariantLoader.class:?]     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:157) ~[ModelLoaderRegistry.class:?]     ... 15 more [11:09:10] [Client thread/ERROR]: Exception loading model for variant hbm:waste_trinitite#meta=7 net.minecraftforge.client.model.ModelLoaderRegistry$LoaderException: Exception loading model hbm:waste_trinitite#meta=7 with loader VariantLoader.INSTANCE, skipping     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:161) ~[ModelLoaderRegistry.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177569_a(ModelLoader.java:235) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:153) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: net.minecraft.client.renderer.block.model.ModelBlockDefinition$MissingVariantException     at net.minecraft.client.renderer.block.model.ModelBlockDefinition.func_188004_c(ModelBlockDefinition.java:83) ~[bvv.class:?]     at net.minecraftforge.client.model.ModelLoader$VariantLoader.loadModel(ModelLoader.java:1175) ~[ModelLoader$VariantLoader.class:?]     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:157) ~[ModelLoaderRegistry.class:?]     ... 15 more [11:09:10] [Client thread/ERROR]: Exception loading model for variant hbm:waste_trinitite_red#meta=15 net.minecraftforge.client.model.ModelLoaderRegistry$LoaderException: Exception loading model hbm:waste_trinitite_red#meta=15 with loader VariantLoader.INSTANCE, skipping     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:161) ~[ModelLoaderRegistry.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177569_a(ModelLoader.java:235) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:153) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: net.minecraft.client.renderer.block.model.ModelBlockDefinition$MissingVariantException     at net.minecraft.client.renderer.block.model.ModelBlockDefinition.func_188004_c(ModelBlockDefinition.java:83) ~[bvv.class:?]     at net.minecraftforge.client.model.ModelLoader$VariantLoader.loadModel(ModelLoader.java:1175) ~[ModelLoader$VariantLoader.class:?]     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:157) ~[ModelLoaderRegistry.class:?]     ... 15 more [11:09:10] [Client thread/ERROR]: Exception loading model for variant futuremc:dark_oak_wall_sign#facing=south net.minecraftforge.client.model.ModelLoaderRegistry$LoaderException: Exception loading model futuremc:dark_oak_wall_sign#facing=south with loader VariantLoader.INSTANCE, skipping     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:161) ~[ModelLoaderRegistry.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177569_a(ModelLoader.java:235) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:153) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: net.minecraft.client.renderer.block.model.ModelBlockDefinition$MissingVariantException     at net.minecraft.client.renderer.block.model.ModelBlockDefinition.func_188004_c(ModelBlockDefinition.java:83) ~[bvv.class:?]     at net.minecraftforge.client.model.ModelLoader$VariantLoader.loadModel(ModelLoader.java:1175) ~[ModelLoader$VariantLoader.class:?]     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:157) ~[ModelLoaderRegistry.class:?]     ... 15 more [11:09:10] [Client thread/ERROR]: Exception loading blockstate for the variant futuremc:dark_oak_wall_sign#facing=south:  java.lang.Exception: Could not load model definition for variant futuremc:dark_oak_wall_sign     at net.minecraftforge.client.model.ModelLoader.func_177586_a(ModelLoader.java:269) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:121) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: java.lang.RuntimeException: Encountered an exception when loading model definition of model futuremc:blockstates/dark_oak_wall_sign.json     at net.minecraft.client.renderer.block.model.ModelBakery.func_188632_a(ModelBakery.java:228) ~[cgb.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.func_177586_a(ModelBakery.java:208) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177586_a(ModelLoader.java:265) ~[ModelLoader.class:?]     ... 14 more Caused by: java.io.FileNotFoundException: futuremc:blockstates/dark_oak_wall_sign.json     at net.minecraft.client.resources.FallbackResourceManager.func_135056_b(FallbackResourceManager.java:104) ~[cei.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_135056_b(SimpleReloadableResourceManager.java:79) ~[cev.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.func_188632_a(ModelBakery.java:221) ~[cgb.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.func_177586_a(ModelBakery.java:208) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177586_a(ModelLoader.java:265) ~[ModelLoader.class:?]     ... 14 more [11:09:10] [Client thread/ERROR]: Exception loading model for variant futuremc:spruce_standing_sign#rotation=14 net.minecraftforge.client.model.ModelLoaderRegistry$LoaderException: Exception loading model futuremc:spruce_standing_sign#rotation=14 with loader VariantLoader.INSTANCE, skipping     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:161) ~[ModelLoaderRegistry.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177569_a(ModelLoader.java:235) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:153) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: net.minecraft.client.renderer.block.model.ModelBlockDefinition$MissingVariantException     at net.minecraft.client.renderer.block.model.ModelBlockDefinition.func_188004_c(ModelBlockDefinition.java:83) ~[bvv.class:?]     at net.minecraftforge.client.model.ModelLoader$VariantLoader.loadModel(ModelLoader.java:1175) ~[ModelLoader$VariantLoader.class:?]     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:157) ~[ModelLoaderRegistry.class:?]     ... 15 more [11:09:10] [Client thread/ERROR]: Exception loading blockstate for the variant futuremc:spruce_standing_sign#rotation=14:  java.lang.Exception: Could not load model definition for variant futuremc:spruce_standing_sign     at net.minecraftforge.client.model.ModelLoader.func_177586_a(ModelLoader.java:269) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:121) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: java.lang.RuntimeException: Encountered an exception when loading model definition of model futuremc:blockstates/spruce_standing_sign.json     at net.minecraft.client.renderer.block.model.ModelBakery.func_188632_a(ModelBakery.java:228) ~[cgb.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.func_177586_a(ModelBakery.java:208) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177586_a(ModelLoader.java:265) ~[ModelLoader.class:?]     ... 14 more Caused by: java.io.FileNotFoundException: futuremc:blockstates/spruce_standing_sign.json     at net.minecraft.client.resources.FallbackResourceManager.func_135056_b(FallbackResourceManager.java:104) ~[cei.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_135056_b(SimpleReloadableResourceManager.java:79) ~[cev.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.func_188632_a(ModelBakery.java:221) ~[cgb.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.func_177586_a(ModelBakery.java:208) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177586_a(ModelLoader.java:265) ~[ModelLoader.class:?]     ... 14 more [11:09:10] [Client thread/ERROR]: Exception loading model for variant futuremc:spruce_standing_sign#rotation=15 net.minecraftforge.client.model.ModelLoaderRegistry$LoaderException: Exception loading model futuremc:spruce_standing_sign#rotation=15 with loader VariantLoader.INSTANCE, skipping     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:161) ~[ModelLoaderRegistry.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177569_a(ModelLoader.java:235) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:153) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: net.minecraft.client.renderer.block.model.ModelBlockDefinition$MissingVariantException     at net.minecraft.client.renderer.block.model.ModelBlockDefinition.func_188004_c(ModelBlockDefinition.java:83) ~[bvv.class:?]     at net.minecraftforge.client.model.ModelLoader$VariantLoader.loadModel(ModelLoader.java:1175) ~[ModelLoader$VariantLoader.class:?]     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:157) ~[ModelLoaderRegistry.class:?]     ... 15 more [11:09:10] [Client thread/ERROR]: Exception loading model for variant futuremc:spruce_standing_sign#rotation=12 net.minecraftforge.client.model.ModelLoaderRegistry$LoaderException: Exception loading model futuremc:spruce_standing_sign#rotation=12 with loader VariantLoader.INSTANCE, skipping     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:161) ~[ModelLoaderRegistry.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177569_a(ModelLoader.java:235) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelBakery.loadBlock(ModelBakery.java:153) ~[cgb.class:?]     at net.minecraftforge.client.model.ModelLoader.func_188640_b(ModelLoader.java:223) ~[ModelLoader.class:?]     at net.minecraftforge.client.model.ModelLoader.func_177570_a(ModelLoader.java:150) ~[ModelLoader.class:?]     at net.minecraft.client.renderer.block.model.ModelManager.func_110549_a(ModelManager.java:28) [cgc.class:?]     at net.minecraft.client.resources.SimpleReloadableResourceManager.func_110542_a(SimpleReloadableResourceManager.java:121) [cev.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:513) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: net.minecraft.client.renderer.block.model.ModelBlockDefinition$MissingVariantException     at net.minecraft.client.renderer.block.model.ModelBlockDefinition.func_188004_c(ModelBlockDefinition.java:83) ~[bvv.class:?]     at net.minecraftforge.client.model.ModelLoader$VariantLoader.loadModel(ModelLoader.java:1175) ~[ModelLoader$VariantLoader.class:?]     at net.minecraftforge.client.model.ModelLoaderRegistry.getModel(ModelLoaderRegistry.java:157) ~[ModelLoaderRegistry.class:?]     ... 15 more [11:09:10] [Client thread/FATAL]: Suppressed additional 95 model loading errors for domain futuremc [11:09:10] [Client thread/FATAL]: Suppressed additional 245 model loading errors for domain hbm [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderPtera:<clinit>:21]: textures/mobs/ptera/ptera.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderPtera:<clinit>:21]: textures/mobs/ptera/ptera1.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderPtera:<clinit>:21]: textures/mobs/ptera/ptera2.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderPtera:<clinit>:21]: textures/mobs/ptera/ptera3.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderWendigo:<clinit>:16]: textures/mobs/wendigo.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderVespaCocoon:<clinit>:21]: textures/mobs/vespa/vespa_cocoon.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderVespaCocoon:<clinit>:21]: textures/mobs/enigmoth/enigmoth_cocoon.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderWeta:<clinit>:20]: textures/mobs/weta/weta.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderWeta:<clinit>:20]: textures/mobs/weta/weta1.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderParasite:<clinit>:27]: textures/mobs/parasite/parasite.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderParasite:<clinit>:27]: textures/mobs/parasite/parasite1.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderParasite:<clinit>:27]: textures/mobs/parasite/parasite2.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderEnigmoth:<clinit>:17]: textures/mobs/enigmoth/enigmoth.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderScarecrow:<clinit>:21]: textures/mobs/scarecrow/scarecrow.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderScarecrow:<clinit>:21]: textures/mobs/scarecrow/scarecrow1.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderScarecrow:<clinit>:21]: textures/mobs/scarecrow/scarecrow2.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderUndeadSwine:<clinit>:15]: textures/mobs/undeadswine.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderAvaton:<clinit>:18]: textures/mobs/avaton.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderMummy:<clinit>:22]: textures/mobs/unburied/unburied4.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderZombiePiranha:<clinit>:22]: textures/mobs/zombiepiranha.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderZombiePiranha:<clinit>:22]: textures/mobs/piranha.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderVespa:<clinit>:18]: textures/mobs/vespa/vespa.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderLavaCow:<clinit>:16]: textures/mobs/moogma.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderUndertaker:<clinit>:17]: textures/mobs/undertaker/undertaker.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderEnigmothLarva:<clinit>:16]: textures/mobs/enigmoth/enigmoth_larva.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderSludgeLord:<clinit>:15]: textures/mobs/sludgelord.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderZombieFrozen:<clinit>:21]: textures/mobs/unburied/unburied1.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderBanshee:<clinit>:19]: textures/mobs/banshee.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderPiranhaLauncher:<clinit>:17]: textures/mobs/zombiepiranha.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderSkeletonKing:<clinit>:13]: textures/mobs/skeletonking.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderBoneWorm:<clinit>:20]: textures/mobs/boneworm/boneworm.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderBoneWorm:<clinit>:20]: textures/mobs/boneworm/boneworm1.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderUnburied:<clinit>:21]: textures/mobs/unburied/unburied.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderRaven:<clinit>:25]: textures/mobs/raven/raven.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderRaven:<clinit>:25]: textures/mobs/raven/raven1.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderRaven:<clinit>:25]: textures/mobs/raven/raven2.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderRaven:<clinit>:25]: textures/mobs/raven/raven3.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderSalamander:<clinit>:27]: textures/mobs/salamander/salamander.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderSalamander:<clinit>:27]: textures/mobs/salamander/salamander1.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderFoglet:<clinit>:22]: textures/mobs/foglet/foglet.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderFoglet:<clinit>:22]: textures/mobs/foglet/foglet2.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderPingu:<clinit>:15]: textures/mobs/pingu.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderGhostRay:<clinit>:20]: textures/mobs/ghostray/ghostray.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderGhostRay:<clinit>:20]: textures/mobs/ghostray/ghostray2.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderGhostRay:<clinit>:20]: textures/mobs/ghostray/ghostray3.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderLilSludge:<clinit>:18]: textures/mobs/lilsludge/lilsludge.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderLilSludge:<clinit>:18]: textures/mobs/lilsludge/lilsludge2.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderMimic:<clinit>:31]: textures/mobs/mimic/mimic.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderMimic:<clinit>:31]: textures/mobs/mimic/mimic2.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderMimic:<clinit>:31]: textures/mobs/mimic/mimic3.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderMimic:<clinit>:31]: textures/mobs/mimic/mimicvoid.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderMimic:<clinit>:31]: textures/mobs/mimic/mimic4.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderMimic:<clinit>:31]: textures/mobs/mimic/mimic5.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderMimic:<clinit>:31]: textures/mobs/mimic/mimicnether.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderMimic:<clinit>:31]: textures/mobs/mimic/mimic6.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderZombieMushroom:<clinit>:26]: textures/mobs/unburied/unburied2.png [11:09:10] [Client thread/INFO]: [com.Fishmod.mod_LavaCow.client.renders.entity.RenderZombieMushroom:<clinit>:26]: textures/mobs/unburied/unburied3.png [11:09:12] [Client thread/ERROR]: Parsing error loading recipe mod_lavacow:faminearmor_helmet com.google.gson.JsonSyntaxException: Unknown item 'minecraft:skeleton_skull'     at net.minecraftforge.common.crafting.CraftingHelper.getItemStackBasic(CraftingHelper.java:262) ~[CraftingHelper.class:?]     at net.minecraftforge.common.crafting.CraftingHelper.lambda$init$16(CraftingHelper.java:544) ~[CraftingHelper.class:?]     at net.minecraftforge.common.crafting.CraftingHelper.getIngredient(CraftingHelper.java:204) ~[CraftingHelper.class:?]     at net.minecraftforge.common.crafting.CraftingHelper.lambda$init$14(CraftingHelper.java:481) ~[CraftingHelper.class:?]     at net.minecraftforge.common.crafting.CraftingHelper.getRecipe(CraftingHelper.java:416) ~[CraftingHelper.class:?]     at net.minecraftforge.common.crafting.CraftingHelper.lambda$loadRecipes$22(CraftingHelper.java:723) ~[CraftingHelper.class:?]     at net.minecraftforge.common.crafting.CraftingHelper.findFiles(CraftingHelper.java:833) ~[CraftingHelper.class:?]     at net.minecraftforge.common.crafting.CraftingHelper.loadRecipes(CraftingHelper.java:688) ~[CraftingHelper.class:?]     at java.util.ArrayList.forEach(ArrayList.java:1259) [?:1.8.0_402]     at net.minecraftforge.common.crafting.CraftingHelper.loadRecipes(CraftingHelper.java:633) [CraftingHelper.class:?]     at net.minecraftforge.fml.common.Loader.initializeMods(Loader.java:747) [Loader.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.finishMinecraftLoading(FMLClientHandler.java:336) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:535) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `minecraft` for name `nether_brick_fence`, expected `futuremc`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_large_wrench`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_hook`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_rail`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_manual`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_conductor_whistle`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_paint_brush`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_golden_spike`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_radio_control_card`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_switch_key`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/WARN]: Potentially Dangerous alternative prefix `immersiverailroading` for name `item_track_exchanger`, expected `universalmodcore`. This could be a intended override, but in most cases indicates a broken mod. [11:09:12] [Client thread/INFO]: Recipes added! [11:09:12] [Client thread/INFO]: Registering recipes for Tipped Bolts! [11:09:12] [Client thread/INFO]: Recipes added! [11:09:12] [Client thread/INFO]: [com.hbm.main.ModEventHandler:craftingRegister:1195]: Memory usage before: 891219440 [11:09:12] [Client thread/INFO]: [com.hbm.main.ModEventHandler:craftingRegister:1200]: Memory usage after: 994158176 [11:09:12] [Client thread/INFO]: [com.hbm.main.ModEventHandler:doesArrayContain:1221]: On Recipe Register [11:09:12] [Client thread/INFO]: Applying holder lookups [11:09:12] [Client thread/INFO]: Holder lookups applied [11:09:12] [Client thread/INFO]: Created: 256x128 textures-atlas [11:09:13] [Client thread/INFO]: Just Enough Items is present, initializing informative stuff. [11:09:13] [Client thread/INFO]: Mod integrations found: [Just Enough Items] [11:09:13] [Client thread/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.world.biome.BiomeColorHelper [11:09:13] [Client thread/INFO]: Successfully loaded sound engine. %s dimension(s) and %s region(s) [11:09:13] [Client thread/INFO]: Loaded 156 templates in 14 ms. [11:09:13] [Client thread/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class pl net.minecraft.server.management.PlayerList [11:09:13] [Client thread/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.server.management.PlayerList [11:09:13] [Client thread/INFO]: Sound channels: 207 normal, 16 streaming (total avail: 223) [11:09:13] [Client thread/INFO]: Stream buffers: 3 x 32768 [11:09:13] [Client thread/WARN]: Failed to load custom item modid:registryname. Item not exist! [11:09:13] [Client thread/WARN]: Failed to load custom item modid:registryname. Item not exist! [11:09:13] [Client thread/WARN]: Failed to load custom item modid:registryname. Item not exist! [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/a1_peppercorn.json_2325fca2f638f0d86495c0541a0f0ee5_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/big_boy.json_a8a80327d78c37bca8fc412e04371ed2_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/k4_pacific.json_b524665a9108998630cdd4d762c3e800_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/e6_atlantic.json_b918d705ae8eed2834e06496140828bb_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/a5_switcher.json_449c8952a4a50b454afda72d14b7a4d0_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/class_38.json_66ece74ee789e0cbe2efbdbef57c53ff_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/rodgers_460.json_e1428ed167c1ef5511f3ef53fe966e33_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/skookum.json_05e4f6724708c6a3631844af4c16fc19_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/br01.json_7d5f36bacbcda7b45a010d900e3f1cf1_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/cooke_mogul.json_67148607646f56ae78119561fbc8afd2_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/k36.json_b6791978abeba048d93e1e896d7f70ae_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/firefly.json_2f40e370b061702d09eb04ddcd344cd1_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/iron_duke.json_63cb1988e5bf20b8a383c8d9a057c623_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/ge_40_ton_boxcab.json_c64e6eaca63657637a5161f5a961164e_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/ge_b40_8.json_f34c9376d1f923cebf42583c53943364_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/ge_b40_8w.json_ee47a1d58b3fad4c4e99dd9422d72c14_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/ge_c44_9cw.json_6b2ec64de3c7997adcc113062b036be5_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/emd_sd40-2.json_dfa8e09fdc92aa97386c4d2940fe357f_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/emd_sw1500.json_059cb021e342aa237bc0a1692162df6a_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/locomotives/alco_rs1.json_60d633247b5a300db2d4784e6f674fbd_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/a1_peppercorn_tender.json_d743cb1b28acd5af7ea63b08df0b4d9c_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/big_boy_tender.json_093ec35d19f6c7bfe0309925054dffb5_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/k4_tender.json_998d2e71bdef41169ce903fdbc1582a5_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/e6_tender.json_971bcb8df11292b469a2f1e504f43eb5_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/a5_tender.json_45883a5c20d81c5bdfd08b2b18c62f20_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/class_38_tender.json_05ca2aa9598d46b05236e7ee50acc7ee_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/rodgers_460_tender.json_8b2457e8ee1b9e836963751e4915b411_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/skookum_tender.json_4f3c892bd97dd1070ad143585e48aeb4_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/br01_tender.json_125c6b1e7e9a4f0813b5cd3ff6eae27f_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/cooke_tender.json_70c7ba078eb62f81cd7e9dcd4810f6d4_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tender/k36_tender.json_1ea3363aa92dff7930e13444de01df7e_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/passenger/br_coach_mk1.json_9d88ff62a203aa807a5200a1a9756993_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/passenger/b70baggage.json_ebb64393ccf20b4ff847541e20fba6d3_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/passenger/p70coach1.json_6468435bc08b69f24751347156edc5b6_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/boxcar_x26.json_7562d22293abd5754898440fcfce3824_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/usra_boxcar_classrr40.json_83ee60d7a65989f28d31e48232e9d49b_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/70t_hopper_slsf.json_2b9d0e3b89f7eb40ffc849e2c5585985_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/attx_flatcar_1.json_7861dd7f41277800cf6b2feb683d83a0_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/dw_gondola.json_b07da6b0cc86fe2a6bbee7b6678d1b5f_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/prr_flatcar_1.json_b7d69baaf839cf32528f1bb3b62b5156_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/usra_hopper_55t.json_6494f8b99834433fe05712d4d5d5b456_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/n5c_cabin_car.json_5d3cf99c3e40071752a620baefeee27b_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/russell_snow_plow.json_5afb7287c879af88f4f60d4a00f6349a_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/drgw_3000class_boxcar.json_98031ef585e9404641dec04f20efc344_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/drgw_1000class_gondola.json_7903e4c5a5ec3021be80ae5251812008_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/drgw_5500class_stockcar.json_08a65999aa2b1ae4a17491220d35db3a_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/drgw_rail_and_tie_outfit.json_4f5ee7982c573cded7a21b47bafc7730_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/freight/waycar.json_292e9b3fb115c6978fb6ec2365833a31_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tank/tank_us2.json_25a461718b1efc93eed00acca8806145_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tank/kamx_t.json_7b0bd2671476b765c5c428ee1d94c44c_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/tank/slag_car_1.json_a674181a7e8fcc74eb30325032e03db4_ [11:09:13] [Client thread/INFO]: immersiverailroading:rolling_stock/hand_car/hand_car_1.json_8b7d46dee0fd93a2968cbb36f8fa7940_ [11:09:13] [Client thread/INFO]: OreDict: Re-registration for ingotTcAlloy to ingotAnyResistantAlloy [11:09:13] [Client thread/INFO]: OreDict: Re-registration for dustTcAlloy to dustAnyResistantAlloy [11:09:13] [Client thread/INFO]: OreDict: Re-registration for ingotCdAlloy to ingotAnyResistantAlloy [11:09:13] [Client thread/INFO]: OreDict: Re-registration for dustCdAlloy to dustAnyResistantAlloy [11:09:13] [Client thread/INFO]: OreDict: Re-registration for ingotPolymer to ingotAnyPlastic [11:09:13] [Client thread/INFO]: OreDict: Re-registration for dustPolymer to dustAnyPlastic [11:09:13] [Client thread/INFO]: OreDict: Re-registration for blockPolymer to blockAnyPlastic [11:09:13] [Client thread/INFO]: OreDict: Re-registration for ingotBakelite to ingotAnyPlastic [11:09:13] [Client thread/INFO]: OreDict: Re-registration for dustBakelite to dustAnyPlastic [11:09:13] [Client thread/INFO]: OreDict: Re-registration for blockBakelite to blockAnyPlastic [11:09:13] [Client thread/INFO]: OreDict: Re-registration for ingotRubber to ingotAnyRubber [11:09:13] [Client thread/INFO]: OreDict: Re-registration for ingotLatex to ingotAnyRubber [11:09:13] [Client thread/INFO]: OreDict: Re-registration for oiltar to anyTar [11:09:13] [Client thread/INFO]: Registering OreDictionary entries [11:09:13] [Client thread/INFO]: Attempting to add new advancement triggers... [11:09:13] [Client thread/INFO]: New advancement triggers added successfully! [11:09:13] [Client thread/INFO]: Loading Xaero's Minimap - Stage 1/2 [11:09:14] [iChunUtil Online Resource Thread/WARN]: Error retrieving iChunUtil patron list. [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]: java.io.FileNotFoundException: https://raw.githubusercontent.com/iChun/iChunUtil/master/src/main/resources/assets/ichunutil/mod/patrons.json [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1913) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at sun.net.www.protocol.http.HttpURLConnection.access$200(HttpURLConnection.java:97) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1497) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1495) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at java.security.AccessController.doPrivileged(Native Method) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1494) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at sun.net.www.protocol.https.HttpsURLConnectionImpl.getInputStream(HttpsURLConnectionImpl.java:268) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at java.net.URL.openStream(URL.java:1093) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:61]:     at me.ichun.mods.ichunutil.common.thread.ThreadGetResources.run(ThreadGetResources.java:38) [11:09:14] [iChunUtil Online Resource Thread/WARN]: Error retrieving mods versions list. [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]: java.io.FileNotFoundException: https://raw.githubusercontent.com/iChun/iChunUtil/master/src/main/resources/assets/ichunutil/mod/versions.json [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1913) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at sun.net.www.protocol.http.HttpURLConnection.access$200(HttpURLConnection.java:97) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1497) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1495) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at java.security.AccessController.doPrivileged(Native Method) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1494) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at sun.net.www.protocol.https.HttpsURLConnectionImpl.getInputStream(HttpsURLConnectionImpl.java:268) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at java.net.URL.openStream(URL.java:1093) [11:09:14] [iChunUtil Online Resource Thread/INFO]: [me.ichun.mods.ichunutil.common.thread.ThreadGetResources:run:77]:     at me.ichun.mods.ichunutil.common.thread.ThreadGetResources.run(ThreadGetResources.java:67) [11:09:15] [Client thread/ERROR]: suppressed exception java.net.SocketTimeoutException: Read timed out     at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) ~[?:1.8.0_402]     at java.lang.reflect.Constructor.newInstance(Constructor.java:423) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$10.run(HttpURLConnection.java:1973) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$10.run(HttpURLConnection.java:1968) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getChainedException(HttpURLConnection.java:1967) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1521) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.access$200(HttpURLConnection.java:97) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1497) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1495) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1494) ~[?:1.8.0_402]     at xaero.common.patreon.Patreon.checkPatreon(Patreon.java:79) [Patreon.class:?]     at xaero.common.patreon.Patreon.checkPatreon(Patreon.java:58) [Patreon.class:?]     at xaero.map.patreon.Patreon.checkPatreon(Patreon.java:66) [Patreon.class:?]     at xaero.map.WorldMap.load(WorldMap.java:178) [WorldMap.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraftforge.fml.common.FMLModContainer.handleModStateEvent(FMLModContainer.java:637) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.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_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.initializeMods(Loader.java:749) [Loader.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.finishMinecraftLoading(FMLClientHandler.java:336) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:535) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: java.net.SocketTimeoutException: Read timed out     at java.net.SocketInputStream.socketRead0(Native Method) ~[?:1.8.0_402]     at java.net.SocketInputStream.socketRead(SocketInputStream.java:116) ~[?:1.8.0_402]     at java.net.SocketInputStream.read(SocketInputStream.java:171) ~[?:1.8.0_402]     at java.net.SocketInputStream.read(SocketInputStream.java:141) ~[?:1.8.0_402]     at java.io.BufferedInputStream.fill(BufferedInputStream.java:246) ~[?:1.8.0_402]     at java.io.BufferedInputStream.read1(BufferedInputStream.java:286) ~[?:1.8.0_402]     at java.io.BufferedInputStream.read(BufferedInputStream.java:345) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.parseHTTPHeader(HttpClient.java:743) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.parseHTTP(HttpClient.java:678) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1600) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.access$200(HttpURLConnection.java:97) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1497) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1495) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1494) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getHeaderField(HttpURLConnection.java:3095) ~[?:1.8.0_402]     at java.net.URLConnection.getHeaderFieldLong(URLConnection.java:629) ~[?:1.8.0_402]     at java.net.URLConnection.getContentLengthLong(URLConnection.java:501) ~[?:1.8.0_402]     at xaero.common.patreon.Patreon.checkPatreon(Patreon.java:77) ~[Patreon.class:?]     ... 43 more [11:09:16] [Client thread/ERROR]: suppressed exception java.net.SocketTimeoutException: Read timed out     at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) ~[?:1.8.0_402]     at java.lang.reflect.Constructor.newInstance(Constructor.java:423) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$10.run(HttpURLConnection.java:1973) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$10.run(HttpURLConnection.java:1968) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getChainedException(HttpURLConnection.java:1967) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1521) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.access$200(HttpURLConnection.java:97) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1497) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1495) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1494) ~[?:1.8.0_402]     at xaero.map.misc.Internet.checkModVersion(Internet.java:55) [Internet.class:?]     at xaero.map.WorldMap.load(WorldMap.java:179) [WorldMap.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraftforge.fml.common.FMLModContainer.handleModStateEvent(FMLModContainer.java:637) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.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_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.initializeMods(Loader.java:749) [Loader.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.finishMinecraftLoading(FMLClientHandler.java:336) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:535) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: java.net.SocketTimeoutException: Read timed out     at java.net.SocketInputStream.socketRead0(Native Method) ~[?:1.8.0_402]     at java.net.SocketInputStream.socketRead(SocketInputStream.java:116) ~[?:1.8.0_402]     at java.net.SocketInputStream.read(SocketInputStream.java:171) ~[?:1.8.0_402]     at java.net.SocketInputStream.read(SocketInputStream.java:141) ~[?:1.8.0_402]     at java.io.BufferedInputStream.fill(BufferedInputStream.java:246) ~[?:1.8.0_402]     at java.io.BufferedInputStream.read1(BufferedInputStream.java:286) ~[?:1.8.0_402]     at java.io.BufferedInputStream.read(BufferedInputStream.java:345) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.parseHTTPHeader(HttpClient.java:743) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.parseHTTP(HttpClient.java:678) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1600) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.access$200(HttpURLConnection.java:97) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1497) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1495) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1494) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getHeaderField(HttpURLConnection.java:3095) ~[?:1.8.0_402]     at java.net.URLConnection.getHeaderFieldLong(URLConnection.java:629) ~[?:1.8.0_402]     at java.net.URLConnection.getContentLengthLong(URLConnection.java:501) ~[?:1.8.0_402]     at xaero.map.misc.Internet.checkModVersion(Internet.java:53) ~[Internet.class:?]     ... 41 more [11:09:16] [Client thread/INFO]: Checking for Vivecraft Client... [11:09:16] [Client thread/INFO]: Vivecraft not detected! [11:09:16] [Client thread/INFO]: Injecting itemstacks [11:09:16] [Client thread/INFO]: Itemstack injection complete [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:anti_slab [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:bedrock [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:roosevelts_stick [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:bookshelves [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:carpet [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:cave_spider_web [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:chance_cube_cube [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:chat_message [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:d-rude_sandstorm [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:divine_boots [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:divine_chestplate [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:divine_sword [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:divine_leggings [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:divine_sword [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:enchanting [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:exp [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:exp_shower [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:explorer [11:09:16] [Client thread/WARN]: A new sound was added after the sounds were registered and therefore the new sound could not be added! [11:09:16] [Client thread/WARN]: Potentially Dangerous alternative prefix `minecraft` for name `entity.generic.explode`, expected `chancecubes`. This could be a intended override, but in most cases indicates a broken mod. [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:explosion [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:farmer [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:fighter [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:guardians [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:giant_chance_cube [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:giga_breaker [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:half_fishing_rod [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:have_another [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:hearts [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:help_me [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:horde [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:hot_tub [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:ice_cold [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:icosahedron [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:finding_marlin [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:mitas [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:finding_nemo [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:nether_star [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:notch [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:one_shot [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:ores_galore [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:poison [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:pssst [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:rancher [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:redstone_diamond [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:saplings [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:sethbling_reward [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:squid_horde [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:string [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:take_this [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:tnt_structure [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:watch_world_burn [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:fire_aspect_fire [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:wither_status_effect [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:wool [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:lava_ring [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:rain [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:silverfish_surround [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:fish_dog [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:bone_cat [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:xp_crystal [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:tnt_cat [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:slime_man [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:sail_away [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:witch [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:spawn_cluckington [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:spawn_jerry [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:spawn_glenn [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:spawn_dr_trayaurus [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:spawn_pickles [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:want_to_build_a_snowman [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:diamond_block [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:tnt_diamond [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:fake_tnt [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:invisible_ghasts [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:no [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:invisible_creeper [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:knockback_zombie [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:actual_invisible_ghast [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:fireworks [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:tnt_bats [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:nether_jelly_fish [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:pig_of_destiny [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:diy_pie [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:coal_to_diamonds [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:spongebob_squarepants [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:quidditch [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:one_man_army [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:cuteness [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:silvermite_stacks [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:invizible_silverfish [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:arrow_trap [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:trampoline [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:skeleton_bats [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:cookie_monster [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:path_to_succeed [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:beacon_build [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:half_heart [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:no_exp [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:smite [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:cookie-splosion [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:random_status_effect [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:arrow_spray [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:lingering_potions_ring [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:charged_creeper [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:disco [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:ender_crystal_timer [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:5_prongs [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:inventory_bomb [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:nuke [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:random_teleport [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:rotten_food [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:thrown_in_air [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:torches_to_creepers [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:traveller [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:troll_hole [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:saw_nothing_diamond [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:hand_enchant [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:anvil_rain [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:herobrine [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:surrounded [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:surrounded_creeper [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:wither [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:troll_tnt [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:wait_for_it [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:clear_inventory [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:item_of_destiny [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:juke_box [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:book_of_memes [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:table_flip [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:maze [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:one_is_lucky [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:sky_block [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:cake [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:item_rename [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:double_rainbow [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:wolves_to_creepers [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:did_you_know [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:armor_stand_armor [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:cats_and_dogs [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:item_chest [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:magic_feet [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:dig_build [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:cube_rename [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:countdown [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:mob_tower [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:monty_hall [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:matching [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:tic_tac_toe [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:boss_mimic [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:boss_evil_witch [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:boss_demonic_blaze [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:math [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:question [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:heads_or_tails [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:village [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:woodland_mansion [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:biodome [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:tnt_throw [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:throwables [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:ore_pillars [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:chuck_reverse [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:floor_is_lava [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:chunk_flip [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:ore_sphere [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:raining_potions [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:fluid_sphere [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:mixed_fluid_sphere [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:firework_show [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:sphere_snake [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:random_explosion [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:beacon_arena [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:world_infection [11:09:16] [Client thread/INFO]: [chanceCubes.config.ConfigLoader:getRewardConfigStatus:137]: chancecubes:block_thrower [11:09:16] [Client thread/INFO]: Adding minecraft:bedrock:0 to NRB array. [11:09:16] [Client thread/INFO]: Death and destruction prepared! (And Cookies. Cookies were also prepared.) [11:09:16] [Client thread/INFO]: minecraft:brown_mushroom has been added to the Dynamic Lights List with Light level 1! [11:09:16] [Client thread/INFO]: minecraft:torch has been added to the Dynamic Lights List with Light level 14! [11:09:16] [Client thread/INFO]: minecraft:redstone_torch has been added to the Dynamic Lights List with Light level 7! [11:09:16] [Client thread/INFO]: minecraft:glowstone has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: minecraft:lit_pumpkin has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: minecraft:end_portal_frame has been added to the Dynamic Lights List with Light level 1! [11:09:16] [Client thread/INFO]: minecraft:dragon_egg has been added to the Dynamic Lights List with Light level 1! [11:09:16] [Client thread/INFO]: minecraft:ender_chest has been added to the Dynamic Lights List with Light level 7! [11:09:16] [Client thread/INFO]: minecraft:beacon has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: minecraft:sea_lantern has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: minecraft:end_rod has been added to the Dynamic Lights List with Light level 14! [11:09:16] [Client thread/INFO]: minecraft:magma has been added to the Dynamic Lights List with Light level 3! [11:09:16] [Client thread/INFO]: biomesoplenty:crystal has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: biomesoplenty:blue_fire has been added to the Dynamic Lights List with Light level 12! [11:09:16] [Client thread/INFO]: hbm:balefire has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:fire_digamma has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:reinforced_light has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:reinforced_lamp_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:lamp_demon has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:ore_coal_oil_burning has been added to the Dynamic Lights List with Light level 10! [11:09:16] [Client thread/INFO]: hbm:ore_nether_coal has been added to the Dynamic Lights List with Light level 10! [11:09:16] [Client thread/INFO]: hbm:ore_nether_smoldering has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:block_meteor_molten has been added to the Dynamic Lights List with Light level 11! [11:09:16] [Client thread/INFO]: hbm:brick_jungle_lava has been added to the Dynamic Lights List with Light level 5! [11:09:16] [Client thread/INFO]: hbm:brick_jungle_ooze has been added to the Dynamic Lights List with Light level 5! [11:09:16] [Client thread/INFO]: hbm:brick_jungle_mystic has been added to the Dynamic Lights List with Light level 5! [11:09:16] [Client thread/INFO]: hbm:spinny_light has been added to the Dynamic Lights List with Light level 5! [11:09:16] [Client thread/INFO]: hbm:mush has been added to the Dynamic Lights List with Light level 7! [11:09:16] [Client thread/INFO]: hbm:mush_block has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:mush_block_stem has been added to the Dynamic Lights List with Light level 3! [11:09:16] [Client thread/INFO]: hbm:waste_mycelium has been added to the Dynamic Lights List with Light level 3! [11:09:16] [Client thread/INFO]: hbm:geysir_nether has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:glass_uranium has been added to the Dynamic Lights List with Light level 5! [11:09:16] [Client thread/INFO]: hbm:glass_trinitite has been added to the Dynamic Lights List with Light level 5! [11:09:16] [Client thread/INFO]: hbm:glass_polonium has been added to the Dynamic Lights List with Light level 5! [11:09:16] [Client thread/INFO]: hbm:machine_boiler_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:machine_boiler_electric_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:machine_boiler_rtg_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:machine_difurnace_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/ERROR]: hbm:machine_difurnace_rtg_on is an invalid light level [11:09:16] [Client thread/INFO]: hbm:machine_coal_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:machine_nuke_furnace_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:machine_rtg_furnace_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:machine_electric_furnace_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:machine_arc_furnace_on has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:marker_structure has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:struct_iter_core has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:struct_plasma_core has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:plasma has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:fwatz_plasma has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: hbm:undef has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: mod_lavacow:glowshroom has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: mod_lavacow:glowshroom_block_cap has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: futuremc:lantern has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: futuremc:campfire has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: futuremc:soul_fire_lantern has been added to the Dynamic Lights List with Light level 10! [11:09:16] [Client thread/INFO]: futuremc:soul_fire_torch has been added to the Dynamic Lights List with Light level 10! [11:09:16] [Client thread/INFO]: abyssalcraft:dsglow has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: abyssalcraft:abyportal has been added to the Dynamic Lights List with Light level 11! [11:09:16] [Client thread/INFO]: abyssalcraft:coraliumfire has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: abyssalcraft:cwater has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: abyssalcraft:dreadportal has been added to the Dynamic Lights List with Light level 11! [11:09:16] [Client thread/INFO]: abyssalcraft:dreadfire has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: abyssalcraft:antiwater has been added to the Dynamic Lights List with Light level 7! [11:09:16] [Client thread/INFO]: abyssalcraft:crystallizer_on has been added to the Dynamic Lights List with Light level 13! [11:09:16] [Client thread/INFO]: abyssalcraft:transmutator_on has been added to the Dynamic Lights List with Light level 13! [11:09:16] [Client thread/INFO]: abyssalcraft:omotholportal has been added to the Dynamic Lights List with Light level 11! [11:09:16] [Client thread/INFO]: abyssalcraft:omotholfire has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: abyssalcraft:ritualaltar has been added to the Dynamic Lights List with Light level 5! [11:09:16] [Client thread/INFO]: abyssalcraft:shoggothbiomass has been added to the Dynamic Lights List with Light level 7! [11:09:16] [Client thread/INFO]: abyssalcraft:luminousthistle has been added to the Dynamic Lights List with Light level 7! [11:09:16] [Client thread/ERROR]: chancecubes:chance_cube is an invalid light level [11:09:16] [Client thread/ERROR]: chancecubes:chance_icosahedron is an invalid light level [11:09:16] [Client thread/INFO]: dimdoors:fabric has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: dimdoors:ancient_fabric has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: dimdoors:eternal_fabric has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: horror_elements_mod:green_blood_1 has been added to the Dynamic Lights List with Light level 6! [11:09:16] [Client thread/INFO]: horror_elements_mod:green_blood_2 has been added to the Dynamic Lights List with Light level 6! [11:09:16] [Client thread/INFO]: horror_elements_mod:brokentv has been added to the Dynamic Lights List with Light level 7! [11:09:16] [Client thread/INFO]: horror_elements_mod:lightblock has been added to the Dynamic Lights List with Light level 15! [11:09:16] [Client thread/INFO]: CraftTweaker integration decativated [11:09:17] [Client thread/INFO]: [MOD COMPATIBILITY] 0 of 2 modules activated [11:09:17] [Client thread/INFO]: Loading Xaero's Minimap - Stage 2/2 [11:09:19] [Client thread/ERROR]: suppressed exception java.net.SocketTimeoutException: connect timed out     at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45) ~[?:1.8.0_402]     at java.lang.reflect.Constructor.newInstance(Constructor.java:423) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$10.run(HttpURLConnection.java:1973) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$10.run(HttpURLConnection.java:1968) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getChainedException(HttpURLConnection.java:1967) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1521) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.access$200(HttpURLConnection.java:97) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1497) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1495) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1494) ~[?:1.8.0_402]     at xaero.common.misc.Internet.checkModVersion(Internet.java:55) [Internet.class:?]     at xaero.common.HudMod.loadLater(HudMod.java:237) [HudMod.class:?]     at xaero.common.PlatformContextForge.loadLaterClientForge(PlatformContextForge.java:94) [PlatformContextForge.class:?]     at xaero.minimap.XaeroMinimapForge.loadPost(XaeroMinimapForge.java:58) [XaeroMinimapForge.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraftforge.fml.common.FMLModContainer.handleModStateEvent(FMLModContainer.java:637) [FMLModContainer.class:?]     at sun.reflect.GeneratedMethodAccessor3.invoke(Unknown Source) ~[?:?]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.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_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76) [guava-21.0.jar:?]     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399) [guava-21.0.jar:?]     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71) [guava-21.0.jar:?]     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116) [guava-21.0.jar:?]     at com.google.common.eventbus.EventBus.post(EventBus.java:217) [guava-21.0.jar:?]     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136) [LoadController.class:?]     at net.minecraftforge.fml.common.Loader.initializeMods(Loader.java:754) [Loader.class:?]     at net.minecraftforge.fml.client.FMLClientHandler.finishMinecraftLoading(FMLClientHandler.java:336) [FMLClientHandler.class:?]     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:535) [bib.class:?]     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:3931) [bib.class:?]     at net.minecraft.client.main.Main.main(SourceFile:123) [Main.class:?]     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:1.8.0_402]     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[?:1.8.0_402]     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:1.8.0_402]     at java.lang.reflect.Method.invoke(Method.java:498) ~[?:1.8.0_402]     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135) [launchwrapper-1.12.jar:?]     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) [launchwrapper-1.12.jar:?] Caused by: java.net.SocketTimeoutException: connect timed out     at java.net.TwoStacksPlainSocketImpl.socketConnect(Native Method) ~[?:1.8.0_402]     at java.net.AbstractPlainSocketImpl.doConnect(AbstractPlainSocketImpl.java:350) ~[?:1.8.0_402]     at java.net.AbstractPlainSocketImpl.connectToAddress(AbstractPlainSocketImpl.java:206) ~[?:1.8.0_402]     at java.net.AbstractPlainSocketImpl.connect(AbstractPlainSocketImpl.java:188) ~[?:1.8.0_402]     at java.net.PlainSocketImpl.connect(PlainSocketImpl.java:172) ~[?:1.8.0_402]     at java.net.SocksSocketImpl.connect(SocksSocketImpl.java:392) ~[?:1.8.0_402]     at java.net.Socket.connect(Socket.java:613) ~[?:1.8.0_402]     at sun.net.NetworkClient.doConnect(NetworkClient.java:175) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.openServer(HttpClient.java:463) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.openServer(HttpClient.java:558) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.<init>(HttpClient.java:242) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.New(HttpClient.java:339) ~[?:1.8.0_402]     at sun.net.www.http.HttpClient.New(HttpClient.java:357) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getNewHttpClient(HttpURLConnection.java:1233) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.plainConnect0(HttpURLConnection.java:1167) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$6.run(HttpURLConnection.java:1051) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$6.run(HttpURLConnection.java:1049) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.plainConnect(HttpURLConnection.java:1048) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.connect(HttpURLConnection.java:995) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.followRedirect0(HttpURLConnection.java:2773) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.access$300(HttpURLConnection.java:97) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$12.run(HttpURLConnection.java:2676) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$12.run(HttpURLConnection.java:2674) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.followRedirect(HttpURLConnection.java:2673) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(HttpURLConnection.java:1847) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.access$200(HttpURLConnection.java:97) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1497) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection$9.run(HttpURLConnection.java:1495) ~[?:1.8.0_402]     at java.security.AccessController.doPrivileged(Native Method) ~[?:1.8.0_402]     at java.security.AccessController.doPrivilegedWithCombiner(AccessController.java:784) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getInputStream(HttpURLConnection.java:1494) ~[?:1.8.0_402]     at sun.net.www.protocol.http.HttpURLConnection.getHeaderField(HttpURLConnection.java:3095) ~[?:1.8.0_402]     at java.net.URLConnection.getHeaderFieldLong(URLConnection.java:629) ~[?:1.8.0_402]     at java.net.URLConnection.getContentLengthLong(URLConnection.java:501) ~[?:1.8.0_402]     at xaero.common.misc.Internet.checkModVersion(Internet.java:53) ~[Internet.class:?]     ... 43 more [11:09:19] [Client thread/INFO]: Registered player tracker system: minimap_synced [11:09:19] [Client thread/INFO]: Xaero's Minimap: World Map found! [11:09:19] [Client thread/INFO]: No Optifine! [11:09:19] [Client thread/INFO]: Xaero's Minimap: No Vivecraft! [11:09:19] [Client thread/INFO]: New world map region cache hash code: 1402132375 [11:09:19] [Client thread/INFO]: Registered player tracker system: map_synced [11:09:19] [Client thread/INFO]: Xaero's WorldMap Mod: Xaero's minimap found! [11:09:19] [Client thread/INFO]: Registered player tracker system: minimap_synced [11:09:19] [Client thread/INFO]: Xaero's World Map: No Vivecraft! [11:09:19] [Client thread/INFO]: Starting JEI... [11:09:19] [Client thread/INFO]: JEI Plugin is Registering subtypes [11:09:19] [Client thread/INFO]: Registering recipe categories... [11:09:19] [Client thread/INFO]: Registering recipe categories took 74.98 ms [11:09:19] [Client thread/INFO]: Registering mod plugins... [11:09:19] [Client thread/INFO]: Added recipe registry plugin: class com.hbm.handler.jei.HbmJeiRegistryPlugin [11:09:19] [Client thread/INFO]: Registering mod plugins took 327.1 ms [11:09:19] [Client thread/INFO]: Building recipe registry... [11:09:19] [Client thread/INFO]: Building recipe registry took 224.4 ms [11:09:19] [Client thread/INFO]: Building ingredient list... [11:09:19] [Client thread/INFO]: Building ingredient list took 52.85 ms [11:09:19] [Client thread/INFO]: Building ingredient filter... [11:09:20] [Client thread/INFO]: Building ingredient filter took 583.1 ms [11:09:20] [Client thread/INFO]: Building bookmarks... [11:09:20] [Client thread/INFO]: Building bookmarks took 2.420 ms [11:09:20] [Client thread/INFO]: Building runtime... [11:09:20] [Client thread/INFO]: Building runtime took 52.22 ms [11:09:20] [Client thread/INFO]: Optimizing memory usage... [11:09:20] [Client thread/INFO]: Optimizing memory usage took 92.59 ms [11:09:20] [Client thread/INFO]: Starting JEI took 1.579 s [11:09:20] [Client thread/INFO]: Initializing registry [Sound Registry] [11:09:20] [Client thread/INFO]: Initializing registry [Acoustic Registry] [11:09:20] [Client thread/INFO]: Initializing registry [Biome Registry] [11:09:20] [Client thread/INFO]: Initializing registry [BlockState Registry] [11:09:21] [Client thread/INFO]: Initializing registry [Footsteps Registry] [11:09:21] [Client thread/INFO]: Initializing registry [Item Registry] [11:09:21] [Client thread/INFO]: Initializing registry [Effects Registry] [11:09:21] [Client thread/INFO]: Initializing registry [Dimension Registry] [11:09:21] [Client thread/INFO]: [Sound Registry] 1614 sound events in private registry [11:09:21] [Client thread/INFO]: [Acoustic Registry] 11333 cache hits during initialization [11:09:21] [Client thread/INFO]: [Acoustic Registry] 10016 primitives by material generated [11:09:21] [Client thread/INFO]: [Acoustic Registry] 11 primitives by sound generated [11:09:21] [Client thread/INFO]: [BlockState Registry] 21013 block states processed, 49 registry entries [11:09:22] [Client thread/INFO]: Forge Mod Loader has successfully loaded 57 mods [11:09:22] [Client thread/WARN]: Skipping bad option: lastServer: [11:09:22] [Client thread/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class biz net.minecraft.client.gui.GuiBossOverlay [11:09:22] [Client thread/INFO]: Narrator library for x64 successfully loaded [11:09:22] [Client thread/ERROR]: +=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+= [11:09:22] [Client thread/ERROR]: The following texture errors were found. [11:09:22] [Client thread/ERROR]: ================================================== [11:09:22] [Client thread/ERROR]:   DOMAIN mtsofficialpack [11:09:22] [Client thread/ERROR]: -------------------------------------------------- [11:09:22] [Client thread/ERROR]:   domain mtsofficialpack is missing 1 texture [11:09:22] [Client thread/ERROR]:     domain mtsofficialpack has 1 location: [11:09:22] [Client thread/ERROR]:       unknown resourcepack type mcinterface1122.InterfaceEventsModelLoader$PackResourcePack : Internal:mtsofficialpack [11:09:22] [Client thread/ERROR]: ------------------------- [11:09:22] [Client thread/ERROR]:     The missing resources for domain mtsofficialpack are: [11:09:22] [Client thread/ERROR]:       textures/textures/items/vehicles/bell47g_olive.png [11:09:22] [Client thread/ERROR]: ------------------------- [11:09:22] [Client thread/ERROR]:     No other errors exist for domain mtsofficialpack [11:09:22] [Client thread/ERROR]: ================================================== [11:09:22] [Client thread/ERROR]: ================================================== [11:09:22] [Client thread/ERROR]:   DOMAIN horror_elements_mod [11:09:22] [Client thread/ERROR]: -------------------------------------------------- [11:09:22] [Client thread/ERROR]:   domain horror_elements_mod is missing 1 texture [11:09:22] [Client thread/ERROR]:     domain horror_elements_mod has 1 location: [11:09:22] [Client thread/ERROR]:       mod horror_elements_mod resources at C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods\Horror_elements_mod_1.5.2_1.12.2.jar [11:09:22] [Client thread/ERROR]: ------------------------- [11:09:22] [Client thread/ERROR]:     The missing resources for domain horror_elements_mod are: [11:09:22] [Client thread/ERROR]:       textures/blocks/broken_tv_2.png [11:09:22] [Client thread/ERROR]: ------------------------- [11:09:22] [Client thread/ERROR]:     No other errors exist for domain horror_elements_mod [11:09:22] [Client thread/ERROR]: ================================================== [11:09:22] [Client thread/ERROR]: ================================================== [11:09:22] [Client thread/ERROR]:   DOMAIN hbm [11:09:22] [Client thread/ERROR]: -------------------------------------------------- [11:09:22] [Client thread/ERROR]:   domain hbm is missing 53 textures [11:09:22] [Client thread/ERROR]:     domain hbm has 1 location: [11:09:22] [Client thread/ERROR]:       mod hbm resources at C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\mods\NTM-Extended-1.12.2-2.0.2.jar [11:09:22] [Client thread/ERROR]: ------------------------- [11:09:22] [Client thread/ERROR]:     The missing resources for domain hbm are: [11:09:22] [Client thread/ERROR]:       textures/items/jetpack_glider.png [11:09:22] [Client thread/ERROR]:       textures/items/keypad_test.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_gascent.png [11:09:22] [Client thread/ERROR]:       textures/blocks/nuke_tsar.png [11:09:22] [Client thread/ERROR]:       textures/blocks/nuke_fstbmb.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_pumpjack.png [11:09:22] [Client thread/ERROR]:       textures/items/gun_vortex.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_refinery.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_mining_laser.png [11:09:22] [Client thread/ERROR]:       textures/items/gun_thompson.png [11:09:22] [Client thread/ERROR]:       textures/items/gun_flamer.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_uf6_tank.png [11:09:22] [Client thread/ERROR]:       textures/blocks/boat.png [11:09:22] [Client thread/ERROR]:       textures/blocks/crashed_balefire.png [11:09:22] [Client thread/ERROR]:       textures/items/crucible.png [11:09:22] [Client thread/ERROR]:       textures/items/gun_dash_ammo.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_reactor.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_catalytic_cracker.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_selenium.png [11:09:22] [Client thread/ERROR]:       textures/blocks/iter.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_reactor_small.png [11:09:22] [Client thread/ERROR]:       textures/blocks/nuke_n2.png [11:09:22] [Client thread/ERROR]:       textures/item/machine_solar_boiler.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_chemplant.png [11:09:22] [Client thread/ERROR]:       textures/block/block_steel.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_centrifuge.png [11:09:22] [Client thread/ERROR]:       textures/blocks/nuke_boy.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_large_turbine.png [11:09:22] [Client thread/ERROR]:       textures/items/gun_ar15.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_epress.png [11:09:22] [Client thread/ERROR]:       textures/blocks/vault_door.png [11:09:22] [Client thread/ERROR]:       textures/blocks/railgun_plasma.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_flare.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_fensu.png [11:09:22] [Client thread/ERROR]:       textures/blocks/nuke_gadget.png [11:09:22] [Client thread/ERROR]:       textures/blocks/nuke_fleija.png [11:09:22] [Client thread/ERROR]:       textures/items/gun_bolter.png [11:09:22] [Client thread/ERROR]:       textures/blocks/nuke_solinium.png [11:09:22] [Client thread/ERROR]:       textures/items/hs_sword.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_radgen.png [11:09:22] [Client thread/ERROR]:       textures/blocks/nuke_man.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_radar.png [11:09:22] [Client thread/ERROR]:       textures/items/hf_sword.png [11:09:22] [Client thread/ERROR]:       textures/block/blast_door.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_fluidtank.png [11:09:22] [Client thread/ERROR]:       textures/items/book_crafting.png [11:09:22] [Client thread/ERROR]:       textures/items/gun_flechette.png [11:09:22] [Client thread/ERROR]:       textures/blocks/nuke_mike.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_forcefield.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_well.png [11:09:22] [Client thread/ERROR]:       textures/blocks/machine_fracking_tower.png [11:09:22] [Client thread/ERROR]:       textures/items/cc_plasma_gun.png [11:09:22] [Client thread/ERROR]:       textures/items/gun_brimstone.png [11:09:22] [Client thread/ERROR]: ------------------------- [11:09:22] [Client thread/ERROR]:     The following other errors were reported for domain hbm: [11:09:22] [Client thread/ERROR]: ------------------------- [11:09:22] [Client thread/ERROR]:     Problem: broken aspect ratio and not an animation [11:09:22] [Client thread/ERROR]:       textures/models/machines/demon_lamp.png [11:09:22] [Client thread/ERROR]: ================================================== [11:09:22] [Client thread/ERROR]: +=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+=+= [11:09:22] [Client thread/INFO]: [xaero.common.core.transformer.ClassNodeTransformer:transform:29]: Transforming class brz net.minecraft.client.network.NetHandlerPlayClient [11:09:22] [Client thread/INFO]: [xaero.map.core.transformer.ClassNodeTransformer:transform:29]: Transforming class net.minecraft.client.network.NetHandlerPlayClient [11:09:29] [Client thread/INFO]: Deleting level New World [11:09:29] [Client thread/INFO]: Attempt 1... [11:09:29] [Client thread/INFO]: Deleted world map cache at C:\Users\{COMPUTER_USERNAME}\AppData\Roaming\com.modrinth.theseus\profiles\Jeffs Island\XaeroWorldMap\New World [11:09:32] [Server thread/INFO]: Starting integrated minecraft server version 1.12.2 [11:09:32] [Server thread/INFO]: Generating keypair [11:09:32] [Server thread/INFO]: Injecting existing registry data into this server instance [11:09:33] [Server thread/INFO]: Applying holder lookups [11:09:33] [Server thread/INFO]: Holder lookups applied [11:09:33] [Server thread/INFO]: Loading dimension 0 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:33] [Server thread/ERROR]: Parsing error loading built-in advancement minecraft:recipes/redstone/trapdoor com.google.gson.JsonSyntaxException: Unknown recipe 'minecraft:trapdoor'     at net.minecraft.advancements.AdvancementRewards$Deserializer.deserialize(AdvancementRewards.java:171) ~[l$a.class:?]     at net.minecraft.advancements.AdvancementRewards$Deserializer.deserialize(AdvancementRewards.java:147) ~[l$a.class:?]     at com.google.gson.internal.bind.TreeTypeAdapter.read(TreeTypeAdapter.java:69) ~[TreeTypeAdapter.class:?]     at com.google.gson.Gson.fromJson(Gson.java:887) ~[Gson.class:?]     at com.google.gson.Gson.fromJson(Gson.java:952) ~[Gson.class:?]     at com.google.gson.internal.bind.TreeTypeAdapter$GsonContextImpl.deserialize(TreeTypeAdapter.java:162) ~[TreeTypeAdapter$GsonContextImpl.class:?]     at net.minecraft.util.JsonUtils.func_188179_a(SourceFile:439) ~[rc.class:?]     at net.minecraft.util.JsonUtils.func_188177_a(SourceFile:455) ~[rc.class:?]     at net.minecraft.advancements.Advancement$Builder.func_192059_a(SourceFile:203) ~[i$a.class:?]     at net.minecraft.advancements.AdvancementManager$1.deserialize(AdvancementManager.java:50) ~[ns$1.class:?]     at net.minecraft.advancements.AdvancementManager$1.deserialize(AdvancementManager.java:46) ~[ns$1.class:?]     at com.google.gson.internal.bind.TreeTypeAdapter.read(TreeTypeAdapter.java:69) ~[TreeTypeAdapter.class:?]     at net.minecraft.util.JsonUtils.func_188173_a(SourceFile:492) ~[rc.class:?]     at net.minecraft.util.JsonUtils.func_193839_a(SourceFile:532) ~[rc.class:?]     at net.minecraft.advancements.AdvancementManager.func_192777_a(AdvancementManager.java:184) [ns.class:?]     at net.minecraft.advancements.AdvancementManager.func_192779_a(AdvancementManager.java:68) [ns.class:?]     at net.minecraft.advancements.AdvancementManager.<init>(AdvancementManager.java:60) [ns.class:?]     at net.minecraft.world.WorldServer.func_175643_b(WorldServer.java:156) [oo.class:?]     at net.minecraft.server.integrated.IntegratedServer.func_71247_a(IntegratedServer.java:122) [chd.class:?]     at net.minecraft.server.integrated.IntegratedServer.func_71197_b(IntegratedServer.java:156) [chd.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Thread.java:750) [?:1.8.0_402] [11:09:33] [Server thread/ERROR]: Parsing error loading built-in advancement biomesoplenty:recipes/redstone/trapdoor_from_bop_wood com.google.gson.JsonSyntaxException: Unknown recipe 'minecraft:trapdoor'     at net.minecraft.advancements.AdvancementRewards$Deserializer.deserialize(AdvancementRewards.java:171) ~[l$a.class:?]     at net.minecraft.advancements.AdvancementRewards$Deserializer.deserialize(AdvancementRewards.java:147) ~[l$a.class:?]     at com.google.gson.internal.bind.TreeTypeAdapter.read(TreeTypeAdapter.java:69) ~[TreeTypeAdapter.class:?]     at com.google.gson.Gson.fromJson(Gson.java:887) ~[Gson.class:?]     at com.google.gson.Gson.fromJson(Gson.java:952) ~[Gson.class:?]     at com.google.gson.internal.bind.TreeTypeAdapter$GsonContextImpl.deserialize(TreeTypeAdapter.java:162) ~[TreeTypeAdapter$GsonContextImpl.class:?]     at net.minecraft.util.JsonUtils.func_188179_a(SourceFile:439) ~[rc.class:?]     at net.minecraft.util.JsonUtils.func_188177_a(SourceFile:455) ~[rc.class:?]     at net.minecraft.advancements.Advancement$Builder.func_192059_a(SourceFile:203) ~[i$a.class:?]     at net.minecraft.advancements.AdvancementManager$1.deserialize(AdvancementManager.java:50) ~[ns$1.class:?]     at net.minecraft.advancements.AdvancementManager$1.deserialize(AdvancementManager.java:46) ~[ns$1.class:?]     at com.google.gson.internal.bind.TreeTypeAdapter.read(TreeTypeAdapter.java:69) ~[TreeTypeAdapter.class:?]     at net.minecraft.util.JsonUtils.func_188173_a(SourceFile:492) ~[rc.class:?]     at net.minecraft.util.JsonUtils.func_188176_a(SourceFile:517) ~[rc.class:?]     at net.minecraft.util.JsonUtils.func_188178_a(SourceFile:537) ~[rc.class:?]     at net.minecraftforge.common.ForgeHooks.lambda$loadAdvancements$0(ForgeHooks.java:1381) ~[ForgeHooks.class:14.23.5.2860]     at net.minecraftforge.common.crafting.CraftingHelper.findFiles(CraftingHelper.java:833) [CraftingHelper.class:?]     at net.minecraftforge.common.ForgeHooks.loadAdvancements(ForgeHooks.java:1359) [ForgeHooks.class:14.23.5.2860]     at net.minecraftforge.common.ForgeHooks.loadAdvancements(ForgeHooks.java:1326) [ForgeHooks.class:14.23.5.2860]     at net.minecraft.advancements.AdvancementManager.func_192779_a(AdvancementManager.java:69) [ns.class:?]     at net.minecraft.advancements.AdvancementManager.<init>(AdvancementManager.java:60) [ns.class:?]     at net.minecraft.world.WorldServer.func_175643_b(WorldServer.java:156) [oo.class:?]     at net.minecraft.server.integrated.IntegratedServer.func_71247_a(IntegratedServer.java:122) [chd.class:?]     at net.minecraft.server.integrated.IntegratedServer.func_71197_b(IntegratedServer.java:156) [chd.class:?]     at net.minecraft.server.MinecraftServer.run(MinecraftServer.java:486) [MinecraftServer.class:?]     at java.lang.Thread.run(Thread.java:750) [?:1.8.0_402] [11:09:33] [Server thread/INFO]: Loaded 898 advancements [11:09:33] [Server thread/INFO]: Attaching capabilities to world [overworld] (SERVER) [11:09:33] [Server thread/INFO]: DimensionInfo{id=0, name=overworld, seaLevel=63, cloudHeight=128, skyHeight=256, haze=true, aurora=true, weather=true, fog=true} [11:09:34] [Server thread/INFO]: Creating STANDARD weather generator for dimension [overworld] [11:09:34] [Server thread/INFO]: Loading dimension 1 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [the_end] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=1, name=the_end, seaLevel=0, cloudHeight=128, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [the_end] [11:09:34] [Server thread/INFO]: Loading dimension 50 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [The Abyssal Wasteland] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=50, name=The Abyssal Wasteland, seaLevel=63, cloudHeight=256, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [The Abyssal Wasteland] [11:09:34] [Server thread/INFO]: Loading dimension 51 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [The Dreadlands] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=51, name=The Dreadlands, seaLevel=63, cloudHeight=256, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [The Dreadlands] [11:09:34] [Server thread/INFO]: Loading dimension 52 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [Omothol] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=52, name=Omothol, seaLevel=0, cloudHeight=256, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [Omothol] [11:09:34] [Server thread/INFO]: Loading dimension 53 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [The Dark Realm] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=53, name=The Dark Realm, seaLevel=63, cloudHeight=256, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [The Dark Realm] [11:09:34] [Server thread/INFO]: [biomesoplenty.common.world.BiomeProviderBOPHell:<init>:32]: settings for hell world:  [11:09:34] [Server thread/INFO]: Loading dimension -1 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [the_nether] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=-1, name=the_nether, seaLevel=0, cloudHeight=128, skyHeight=128, haze=false, aurora=false, weather=true, fog=true} [11:09:34] [Server thread/INFO]: Creating NETHER weather generator for dimension [the_nether] [11:09:34] [Server thread/INFO]: Loading dimension 684 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [limbo] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=684, name=limbo, seaLevel=63, cloudHeight=256, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [limbo] [11:09:34] [Server thread/INFO]: Loading dimension 685 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [private_pockets] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=685, name=private_pockets, seaLevel=63, cloudHeight=256, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [private_pockets] [11:09:34] [Server thread/INFO]: Loading dimension 686 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [public_pockets] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=686, name=public_pockets, seaLevel=63, cloudHeight=256, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [public_pockets] [11:09:34] [Server thread/INFO]: Loading dimension 687 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [dungeon_pockets] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=687, name=dungeon_pockets, seaLevel=63, cloudHeight=256, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [dungeon_pockets] [11:09:34] [Server thread/INFO]: Loading dimension 688 (New World) (net.minecraft.server.integrated.IntegratedServer@78b20c07) [11:09:34] [Server thread/INFO]: Attaching capabilities to world [dungeon_pockets] (SERVER) [11:09:34] [Server thread/INFO]: DimensionInfo{id=688, name=dungeon_pockets, seaLevel=63, cloudHeight=256, skyHeight=256, haze=false, aurora=false, weather=false, fog=false} [11:09:34] [Server thread/INFO]: Creating NULL weather generator for dimension [dungeon_pockets] [11:09:34] [Server thread/INFO]: CoroUtil being reinitialized [11:09:34] [Server thread/INFO]: Unloading dimension 1 [11:09:34] [Server thread/INFO]: Unloading dimension 50 [11:09:34] [Server thread/INFO]: Unloading dimension 51 [11:09:34] [Server thread/INFO]: Unloading dimension 52 [11:09:34] [Server thread/INFO]: Unloading dimension 53 [11:09:34] [Server thread/INFO]: Unloading dimension -1 [11:09:34] [Server thread/INFO]: Unloading dimension 684 [11:09:34] [Server thread/INFO]: Unloading dimension 685 [11:09:34] [Server thread/INFO]: Unloading dimension 686 [11:09:34] [Server thread/INFO]: Unloading dimension 687 [11:09:34] [Server thread/INFO]: Unloading dimension 688 [11:09:34] [Server thread/INFO]: Changing view distance to 12, from 10 [11:09:35] [Netty Local Client IO #0/INFO]: Server protocol version 2 [11:09:35] [Netty Server IO #1/INFO]: Client protocol version 2 [11:09:35] [Netty Server IO #1/INFO]: Client attempting to join with 57 mods : [email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected],[email protected]_for_1.12 [11:09:35] [Netty Local Client IO #0/INFO]: Dynamic Surroundings version 3.6.1.0 is installed on the server [11:09:35] [Netty Local Client IO #0/INFO]: [Netty Local Client IO #0] Client side modded connection established [11:09:35] [Server thread/INFO]: [Server thread] Server side modded connection established [11:09:35] [Server thread/INFO]: {MINECRAFT_USERNAME}[local:E:9142eb7b] logged in with entity id 0 at (25.5, 66.0, 256.5) [11:09:35] [Server thread/INFO]: Player [{MINECRAFT_USERNAME}] connected with Dynamic Surroundings 3.6.1.0 [11:09:35] [Server thread/INFO]: {MINECRAFT_USERNAME} joined the game [11:09:35] [Server thread/INFO]: CoroUtil detected Infernal Mobs Not Installed for use [11:09:35] [Client thread/INFO]: New world map session initialized! [11:09:35] [Client thread/INFO]: New Xaero hud session initialized! [11:09:35] [Client thread/INFO]: Attaching capabilities to world [overworld] (CLIENT) [11:09:35] [Client thread/INFO]: DimensionInfo{id=0, name=overworld, seaLevel=63, cloudHeight=128, skyHeight=256, haze=true, aurora=true, weather=true, fog=true} [11:09:35] [Client thread/INFO]: Creating default SeasonInfo for dimension overworld [11:09:35] [Client thread/INFO]: Setting weather renderer for dimension [overworld] [11:09:35] [Server thread/INFO]: {MINECRAFT_USERNAME} has made the advancement [The Dark Night] [11:09:35] [Client thread/WARN]: Adding entity that was not wrapped correctly {MINECRAFT_UUID} - EntityPlayerSP['{MINECRAFT_USERNAME}'/0, l='MpServer', x=8.50, y=65.00, z=8.50] [11:09:35] [Thread-14/INFO]: No custom rewards detected for the current user! [11:09:36] [Client thread/INFO]: Reloading entity icon resources... [11:09:36] [Client thread/INFO]: Reloaded entity icon resources! [11:09:36] [Client thread/INFO]: Minimap updated server level id: 1960709401 for world 0 [11:09:36] [Client thread/INFO]: [CHAT] �3Welcome back [11:09:36] [Client thread/INFO]: [CHAT] {MINECRAFT_USERNAME} has made the advancement [The Dark Night] [11:09:36] [Client thread/INFO]: Loaded 34 advancements [11:09:36] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-1, 14] in dimension 0 (overworld) while populating chunk [0, 15], causing cascading worldgen lag. [11:09:36] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:36] [Server thread/INFO]: [com.dhanantry.scapeandrunparasites.world.SRPSaveData:get:77]: nanissss--------asdddddddddddddddddddddddddddddddddddddddd---- [11:09:36] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [0, 17] in dimension 0 (overworld) while populating chunk [1, 17], causing cascading worldgen lag. [11:09:36] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:37] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-3, 14] in dimension 0 (overworld) while populating chunk [-3, 15], causing cascading worldgen lag. [11:09:37] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:37] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-4, 14] in dimension 0 (overworld) while populating chunk [-3, 15], causing cascading worldgen lag. [11:09:37] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:37] [Client thread/INFO]: Exception when loading dynamictrees:oakbranch texture, using material colour. [11:09:37] [Client thread/INFO]: Didn't pass the unlisted property check. [11:09:37] [Client thread/INFO]: Exception when loading dynamictrees:rootydirt texture, using material colour. [11:09:37] [Client thread/INFO]: Didn't pass the unlisted property check. [11:09:37] [Server thread/WARN]: Ignoring unknown attribute 'weight' [11:09:37] [Server thread/WARN]: Ignoring unknown attribute 'max_strikes' [11:09:37] [Server thread/WARN]: Ignoring unknown attribute 'armor_negation' [11:09:37] [Server thread/WARN]: Ignoring unknown attribute 'impact' [11:09:37] [Client thread/INFO]: Exception when loading dynamictrees:oakbranch texture, using material colour. [11:09:37] [Client thread/INFO]: Didn't pass the unlisted property check. [11:09:37] [Client thread/WARN]: Server/Client desync, skipping from 66.55000000000008 to 40 [11:09:38] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-3, 11] in dimension 0 (overworld) while populating chunk [-2, 11], causing cascading worldgen lag. [11:09:38] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:38] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [3, 10] in dimension 0 (overworld) while populating chunk [4, 11], causing cascading worldgen lag. [11:09:38] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:39] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [6, 12] in dimension 0 (overworld) while populating chunk [6, 13], causing cascading worldgen lag. [11:09:39] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:40] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-3, 7] in dimension 0 (overworld) while populating chunk [-3, 8], causing cascading worldgen lag. [11:09:40] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:40] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-8, 14] in dimension 0 (overworld) while populating chunk [-8, 15], causing cascading worldgen lag. [11:09:40] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:41] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-8, 11] in dimension 0 (overworld) while populating chunk [-8, 12], causing cascading worldgen lag. [11:09:41] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:41] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-9, 11] in dimension 0 (overworld) while populating chunk [-8, 12], causing cascading worldgen lag. [11:09:41] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:41] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-1, 6] in dimension 0 (overworld) while populating chunk [0, 6], causing cascading worldgen lag. [11:09:41] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:41] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-6, 22] in dimension 0 (overworld) while populating chunk [-5, 22], causing cascading worldgen lag. [11:09:41] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:41] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-7, 21] in dimension 0 (overworld) while populating chunk [-6, 22], causing cascading worldgen lag. [11:09:41] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:41] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-7, 22] in dimension 0 (overworld) while populating chunk [-6, 22], causing cascading worldgen lag. [11:09:41] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:41] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-3, 6] in dimension 0 (overworld) while populating chunk [-2, 6], causing cascading worldgen lag. [11:09:41] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:41] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-2, 5] in dimension 0 (overworld) while populating chunk [-2, 6], causing cascading worldgen lag. [11:09:41] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:41] [Client thread/INFO]: Exception when loading dynamictrees:sprucebranch texture, using material colour. [11:09:41] [Client thread/INFO]: Didn't pass the unlisted property check. [11:09:41] [Client thread/WARN]: Server/Client desync, skipping from 113.73000000000016 to 85 [11:09:42] [Server thread/WARN]: Can't keep up! Did the system time change, or is the server overloaded? Running 3413ms behind, skipping 68 tick(s) [11:09:42] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-1, 4] in dimension 0 (overworld) while populating chunk [0, 5], causing cascading worldgen lag. [11:09:42] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:42] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-5, 5] in dimension 0 (overworld) while populating chunk [-5, 6], causing cascading worldgen lag. [11:09:42] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:42] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-10, 11] in dimension 0 (overworld) while populating chunk [-10, 12], causing cascading worldgen lag. [11:09:42] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:42] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-11, 11] in dimension 0 (overworld) while populating chunk [-10, 12], causing cascading worldgen lag. [11:09:42] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-10, 9] in dimension 0 (overworld) while populating chunk [-9, 8], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-11, 9] in dimension 0 (overworld) while populating chunk [-9, 8], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-10, 8] in dimension 0 (overworld) while populating chunk [-9, 8], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-11, 8] in dimension 0 (overworld) while populating chunk [-9, 8], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-2, 3] in dimension 0 (overworld) while populating chunk [-1, 3], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-4, 3] in dimension 0 (overworld) while populating chunk [-3, 3], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-5, 3] in dimension 0 (overworld) while populating chunk [-4, 3], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-4, 2] in dimension 0 (overworld) while populating chunk [-3, 3], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-8, 5] in dimension 0 (overworld) while populating chunk [-7, 5], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:43] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-9, 6] in dimension 0 (overworld) while populating chunk [-9, 7], causing cascading worldgen lag. [11:09:43] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:44] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [11, 11] in dimension 0 (overworld) while populating chunk [11, 12], causing cascading worldgen lag. [11:09:44] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:44] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-9, 21] in dimension 0 (overworld) while populating chunk [-8, 22], causing cascading worldgen lag. [11:09:44] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:44] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [3, 2] in dimension 0 (overworld) while populating chunk [4, 3], causing cascading worldgen lag. [11:09:44] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:44] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [1, 1] in dimension 0 (overworld) while populating chunk [2, 2], causing cascading worldgen lag. [11:09:44] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:44] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-12, 11] in dimension 0 (overworld) while populating chunk [-12, 12], causing cascading worldgen lag. [11:09:44] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:45] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-12, 5] in dimension 0 (overworld) while populating chunk [-11, 6], causing cascading worldgen lag. [11:09:45] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:45] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [6, 2] in dimension 0 (overworld) while populating chunk [7, 3], causing cascading worldgen lag. [11:09:45] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:45] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-12, 8] in dimension 0 (overworld) while populating chunk [-12, 9], causing cascading worldgen lag. [11:09:45] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:46] [Server thread/WARN]: Ignoring unknown attribute 'weight' [11:09:46] [Server thread/WARN]: Ignoring unknown attribute 'max_strikes' [11:09:46] [Server thread/WARN]: Ignoring unknown attribute 'armor_negation' [11:09:46] [Server thread/WARN]: Ignoring unknown attribute 'impact' [11:09:46] [Client thread/WARN]: Server/Client desync, skipping from 146.27115257771678 to 175 [11:09:47] [Client thread/WARN]: Server/Client desync, skipping from 180.00842736754424 to 210 [11:09:48] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-10, -1] in dimension 0 (overworld) while populating chunk [-10, 0], causing cascading worldgen lag. [11:09:48] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:52] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [12, 8] in dimension 0 (overworld) while populating chunk [12, 9], causing cascading worldgen lag. [11:09:52] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:52] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [12, 7] in dimension 0 (overworld) while populating chunk [12, 9], causing cascading worldgen lag. [11:09:52] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [12, -2] in dimension 0 (overworld) while populating chunk [13, -1], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [11, -2] in dimension 0 (overworld) while populating chunk [12, -2], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [10, -2] in dimension 0 (overworld) while populating chunk [11, -2], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [10, -3] in dimension 0 (overworld) while populating chunk [11, -2], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [11, -3] in dimension 0 (overworld) while populating chunk [12, -2], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [10, -4] in dimension 0 (overworld) while populating chunk [11, -3], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [9, -4] in dimension 0 (overworld) while populating chunk [10, -4], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [9, -5] in dimension 0 (overworld) while populating chunk [10, -4], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [8, -5] in dimension 0 (overworld) while populating chunk [9, -5], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [8, -6] in dimension 0 (overworld) while populating chunk [9, -5], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [7, -6] in dimension 0 (overworld) while populating chunk [8, -6], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [7, -7] in dimension 0 (overworld) while populating chunk [8, -6], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [6, -7] in dimension 0 (overworld) while populating chunk [7, -7], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [6, -8] in dimension 0 (overworld) while populating chunk [7, -7], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [5, -8] in dimension 0 (overworld) while populating chunk [6, -8], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [5, -9] in dimension 0 (overworld) while populating chunk [5, -8], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [4, -9] in dimension 0 (overworld) while populating chunk [5, -9], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [3, -9] in dimension 0 (overworld) while populating chunk [4, -9], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [3, -10] in dimension 0 (overworld) while populating chunk [3, -9], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [2, -10] in dimension 0 (overworld) while populating chunk [3, -10], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [1, -11] in dimension 0 (overworld) while populating chunk [2, -10], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [2, -11] in dimension 0 (overworld) while populating chunk [3, -10], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [1, -12] in dimension 0 (overworld) while populating chunk [2, -11], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [0, -12] in dimension 0 (overworld) while populating chunk [1, -12], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [0, -13] in dimension 0 (overworld) while populating chunk [1, -12], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-1, -13] in dimension 0 (overworld) while populating chunk [0, -13], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [4, -10] in dimension 0 (overworld) while populating chunk [5, -9], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [3, -11] in dimension 0 (overworld) while populating chunk [4, -10], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [2, -12] in dimension 0 (overworld) while populating chunk [3, -11], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [1, -13] in dimension 0 (overworld) while populating chunk [2, -12], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [0, -14] in dimension 0 (overworld) while populating chunk [1, -13], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:09:59] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [13, 6] in dimension 0 (overworld) while populating chunk [13, 7], causing cascading worldgen lag. [11:09:59] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [4, -3] in dimension 0 (overworld) while populating chunk [4, -2], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [12, -3] in dimension 0 (overworld) while populating chunk [13, -2], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [11, -4] in dimension 0 (overworld) while populating chunk [12, -3], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [10, -5] in dimension 0 (overworld) while populating chunk [11, -4], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [9, -6] in dimension 0 (overworld) while populating chunk [10, -5], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [8, -7] in dimension 0 (overworld) while populating chunk [9, -6], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [7, -8] in dimension 0 (overworld) while populating chunk [8, -7], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [6, -9] in dimension 0 (overworld) while populating chunk [7, -8], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [5, -10] in dimension 0 (overworld) while populating chunk [6, -9], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [4, -11] in dimension 0 (overworld) while populating chunk [5, -10], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [3, -12] in dimension 0 (overworld) while populating chunk [4, -11], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [2, -13] in dimension 0 (overworld) while populating chunk [3, -12], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [1, -14] in dimension 0 (overworld) while populating chunk [2, -13], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [3, -13] in dimension 0 (overworld) while populating chunk [3, -12], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [2, -14] in dimension 0 (overworld) while populating chunk [3, -13], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [1, -15] in dimension 0 (overworld) while populating chunk [2, -14], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [3, -14] in dimension 0 (overworld) while populating chunk [3, -13], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [2, -15] in dimension 0 (overworld) while populating chunk [3, -14], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [1, -16] in dimension 0 (overworld) while populating chunk [2, -15], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [0, -17] in dimension 0 (overworld) while populating chunk [1, -16], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [10, -6] in dimension 0 (overworld) while populating chunk [10, -5], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [9, -7] in dimension 0 (overworld) while populating chunk [10, -6], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [8, -8] in dimension 0 (overworld) while populating chunk [9, -7], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [7, -9] in dimension 0 (overworld) while populating chunk [8, -8], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [6, -10] in dimension 0 (overworld) while populating chunk [7, -9], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [5, -11] in dimension 0 (overworld) while populating chunk [6, -10], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:01] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [4, -12] in dimension 0 (overworld) while populating chunk [5, -11], causing cascading worldgen lag. [11:10:01] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:02] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [7, -10] in dimension 0 (overworld) while populating chunk [8, -9], causing cascading worldgen lag. [11:10:02] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:02] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [6, -11] in dimension 0 (overworld) while populating chunk [7, -10], causing cascading worldgen lag. [11:10:02] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-9, -4] in dimension 0 (overworld) while populating chunk [-8, -3], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-6, -4] in dimension 0 (overworld) while populating chunk [-5, -3], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [7, -4] in dimension 0 (overworld) while populating chunk [8, -4], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [7, -5] in dimension 0 (overworld) while populating chunk [8, -4], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [6, -6] in dimension 0 (overworld) while populating chunk [7, -5], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [5, -7] in dimension 0 (overworld) while populating chunk [6, -6], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [4, -8] in dimension 0 (overworld) while populating chunk [5, -7], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [4, -7] in dimension 0 (overworld) while populating chunk [5, -7], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [12, -4] in dimension 0 (overworld) while populating chunk [13, -3], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:03] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [11, -5] in dimension 0 (overworld) while populating chunk [12, -4], causing cascading worldgen lag. [11:10:03] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:05] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [0, -4] in dimension 0 (overworld) while populating chunk [1, -4], causing cascading worldgen lag. [11:10:05] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:05] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [0, -5] in dimension 0 (overworld) while populating chunk [1, -4], causing cascading worldgen lag. [11:10:05] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:06] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-5, -5] in dimension 0 (overworld) while populating chunk [-5, -4], causing cascading worldgen lag. [11:10:06] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:06] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-6, -5] in dimension 0 (overworld) while populating chunk [-5, -4], causing cascading worldgen lag. [11:10:06] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:06] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [-6, -6] in dimension 0 (overworld) while populating chunk [-6, -5], causing cascading worldgen lag. [11:10:06] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:06] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [12, -5] in dimension 0 (overworld) while populating chunk [13, -4], causing cascading worldgen lag. [11:10:06] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:06] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [11, -6] in dimension 0 (overworld) while populating chunk [12, -5], causing cascading worldgen lag. [11:10:06] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:06] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [10, -7] in dimension 0 (overworld) while populating chunk [11, -6], causing cascading worldgen lag. [11:10:06] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:07] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [13, -5] in dimension 0 (overworld) while populating chunk [14, -4], causing cascading worldgen lag. [11:10:07] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:07] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [12, -6] in dimension 0 (overworld) while populating chunk [13, -5], causing cascading worldgen lag. [11:10:07] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:07] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [11, -7] in dimension 0 (overworld) while populating chunk [12, -6], causing cascading worldgen lag. [11:10:07] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:07] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [10, -8] in dimension 0 (overworld) while populating chunk [11, -7], causing cascading worldgen lag. [11:10:07] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:07] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [9, -9] in dimension 0 (overworld) while populating chunk [10, -8], causing cascading worldgen lag. [11:10:07] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:07] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [8, -10] in dimension 0 (overworld) while populating chunk [9, -9], causing cascading worldgen lag. [11:10:07] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:07] [Server thread/WARN]: HBM's Nuclear Tech - Extended Edition loaded a new chunk [7, -11] in dimension 0 (overworld) while populating chunk [8, -10], causing cascading worldgen lag. [11:10:07] [Server thread/WARN]: Please report this to the mod's issue tracker. This log can be disabled in the Forge config. [11:10:17] [Client thread/INFO]: Loaded 57 advancements [11:10:38] [Server thread/INFO]: Saving and pausing game... [11:10:38] [Server thread/INFO]: Saving chunks for level 'New World'/overworld [11:10:39] [Client thread/INFO]: Finalizing world map session... [11:10:39] [Thread-8/INFO]: World map force-cleaned! [11:10:39] [Client thread/INFO]: World map session finalized. [11:10:39] [Client thread/INFO]: Xaero hud session finalized. [11:10:39] [Server thread/INFO]: Stopping server [11:10:39] [Server thread/INFO]: Saving players [11:10:39] [Server thread/INFO]: {MINECRAFT_USERNAME} lost connection: Disconnected [11:10:39] [Server thread/INFO]: {MINECRAFT_USERNAME} left the game [11:10:39] [Server thread/INFO]: Stopping singleplayer server as player logged out [11:10:39] [Server thread/INFO]: Saving worlds [11:10:39] [Server thread/INFO]: Saving chunks for level 'New World'/overworld [11:10:40] [Server thread/INFO]: Unloading dimension 0 [11:10:41] [Server thread/INFO]: Applying holder lookups [11:10:41] [Server thread/INFO]: Holder lookups applied [11:10:42] [Client thread/INFO]: Stopping! [11:10:42] [Client thread/INFO]: SoundSystem shutting down... [11:10:42] [Client thread/WARN]: Author: Paul Lamb, www.paulscode.com  
    • hello. i recently downloaded forge 1.20.1 and it gives exit code 1 whenever i try to start it. i tried a new launcher, i updated my drivers, i reinstalled all the related stuff.    https://pastebin.com/hKNkS5Xn    latest https://pastebin.com/GAzaS8LL    debug   please give a detailed solution if you can find one. 
  • Topics

×
×
  • Create New...

Important Information

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