Jump to content

Recommended Posts

Posted

I have an item which is just supposed to store coordinates. It can also take damage when those coordinates are used by another block. This all works fine...except for some reason, when it stores new coordinates, it also removes all damage done to it before. Which is not intended behavior.

 

Here's the relevant code in the item's class:

 

	@Override
public ActionResult<ItemStack> onItemRightClick(ItemStack stack, World worldIn, EntityPlayer playerIn,
		EnumHand hand) {
	if (worldIn.isRemote) {
		return new ActionResult(EnumActionResult.SUCCESS, stack);
	}
	NBTTagCompound current = new NBTTagCompound();
	if (stack.hasTagCompound()) {
		current = stack.getTagCompound();
	}
	BlockPos pos = playerIn.getPosition();
	int x = pos.getX(), y = pos.getY(), z = pos.getZ();
	current.setInteger("linkX", x);
	current.setInteger("linkY", y);
	current.setInteger("linkZ", z);
	playerIn.addChatComponentMessage(new TextComponentString("Portkey linked to (" + x + ", " + y + ", " + z + ")"));
	stack.setTagCompound(current);
	return new ActionResult(EnumActionResult.SUCCESS, stack);
}

 

Especially since I'm making modifications to the existing stack's tags and not starting a new one, I don't understand why the damage is getting reset when this code fires?

Whatever Minecraft needs, it is most likely not yet another tool tier.

Posted

How are you damaging the item?

Apparently I'm a complete and utter jerk and come to this forum just like to make fun of people, be confrontational, and make your personal life miserable.  If you think this is the case, JUST REPORT ME.  Otherwise you're just going to get reported when you reply to my posts and point it out, because odds are, I was trying to be nice.

 

Exception: If you do not understand Java, I WILL NOT HELP YOU and your thread will get locked.

 

DO NOT PM ME WITH PROBLEMS. No help will be given.

Posted

On collision with a block, if the item is being held, I'm calling player.getHeldItemMainHand().damageItem to take 1 durability from it. The damage is being applied correctly, and it's only resetting when I trigger the item use method above.

 

*EDIT* Okay, so I seem to have solved the problem by changing the early return statement from if (world.isRemote){} to if (!world.isRemote){}... unless I'm getting it backwards (which is possible, since I often mix it up in my head), world.isRemote is true if it's the client, so by returning when it's false, I'm actually running the code on the client only, yes? I don't understand why that would be the solution (or why running it on the server-side would cause the problem), but that's good, I guess.

 

However, there's another problem: the item damage isn't being saved with the world. I thought that was something which occurred naturally? The ItemStack#writeToNBT method seems to write the damage automatically, and I'm not overriding anything in there; and the damageItem() call isn't in any kind of side-checked conditional (i.e. it runs on both server and client), so what other reasons would there be for the damage to be unsaved?

 

If it helps, here's the item's code:

 

package com.IceMetalPunk.amethystic.AmethysticItems;

import com.IceMetalPunk.amethystic.Amethystic;

import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.item.Item;
import net.minecraft.item.ItemStack;
import net.minecraft.nbt.NBTTagCompound;
import net.minecraft.util.ActionResult;
import net.minecraft.util.EnumActionResult;
import net.minecraft.util.EnumHand;
import net.minecraft.util.math.BlockPos;
import net.minecraft.util.text.TextComponentString;
import net.minecraft.world.World;

public class ItemPortkey extends Item {
public ItemPortkey() {
	super();
	this.setMaxStackSize(1);
	this.setMaxDamage(100);
	this.setUnlocalizedName("portkey").setRegistryName(Amethystic.MODID, "portkey");
	this.setCreativeTab(Amethystic.AMETHYSTIC_TAB);
}

// Link portkey to current position when used
@Override
public ActionResult<ItemStack> onItemRightClick(ItemStack stack, World worldIn, EntityPlayer playerIn,
		EnumHand hand) {
	if (!worldIn.isRemote) {
		return new ActionResult(EnumActionResult.SUCCESS, stack);
	}
	stack = playerIn.getHeldItem(hand);
	NBTTagCompound current = new NBTTagCompound();
	if (stack.hasTagCompound()) {
		current = stack.getTagCompound();
	}
	BlockPos pos = playerIn.getPosition();
	int x = pos.getX(), y = pos.getY(), z = pos.getZ();
	current.setInteger("linkX", x);
	current.setInteger("linkY", y);
	current.setInteger("linkZ", z);
	playerIn.addChatComponentMessage(new TextComponentString("Portkey linked to (" + x + ", " + y + ", " + z + ")"));
	stack.setTagCompound(current);
	return new ActionResult(EnumActionResult.SUCCESS, stack);
}
}

 

And the damage is being done in a block's collision method, using this code:

 

	@Override
public void onEntityCollidedWithBlock(World world, BlockPos pos, IBlockState state, Entity entity) {
	System.out.println("Collision occured!");
	if (entity instanceof EntityPlayer) {
		System.out.println("Player collided!");
		EntityPlayer player = (EntityPlayer) entity;
		ItemStack mainItem = player.getHeldItemMainhand();
		ItemStack offItem = player.getHeldItemOffhand();
		if (mainItem != null && mainItem.getItem() == Amethystic.items.PORTKEY && mainItem.hasTagCompound()) {
			NBTTagCompound tag = mainItem.getTagCompound();
			int x = tag.getInteger("linkX"), y = tag.getInteger("linkY"), z = tag.getInteger("linkZ");
			mainItem.damageItem(1, player);
			player.setPositionAndUpdate(x, y, z);
			player.setFire(1);
			System.out.println("Has portkey in main hand linked to (" + x + ", " + y + ", " + z + ")!");
			// TODO: Portkey teleportation sound
		}
		else if (offItem != null && offItem.getItem() == Amethystic.items.PORTKEY && offItem.hasTagCompound()) {

			NBTTagCompound tag = offItem.getTagCompound();
			int x = tag.getInteger("linkX"), y = tag.getInteger("linkY"), z = tag.getInteger("linkZ");
			offItem.damageItem(1, player);
			player.setPositionAndUpdate(x, y, z);
			player.setFire(1);
			// TODO: Portkey teleportation sound
			System.out.println("Has portkey in offhand linked to (" + x + ", " + y + ", " + z + ")!");
		}
		else {
			System.out.println("No portkey!");
		}
	}
}

 

Any ideas?

Whatever Minecraft needs, it is most likely not yet another tool tier.

Posted

You need to damage the item on the server, otherwise it won't persist.

Posted

You need to damage the item on the server, otherwise it won't persist.

I am...of you look at the code, the damageItem call doesn't check for remoteness, and so it should be called on both client and server, right?

 

*EDIT* In fact, a quick test suggests that it's only called on the server, not on the client.

Whatever Minecraft needs, it is most likely not yet another tool tier.

Posted

I just said that because you tried what happens if you instantly return from the method if !world.isRemote.

Posted

Your post made me think of something, so I did a little more debugging, and I'm getting close to finding the problem. In the onItemRightClick method (where the tags are changed), I put a little debug message; the result was that I saw the damage on the server stay at 0 even while the damage on the client increased.

 

Which is very confusing to me, because if I output player.isServerWorld() in the block collision code (where the item is damaged), it always outputs true. So if the damaging it being done only on the server, then how is the damage only actually applying on the client?

Whatever Minecraft needs, it is most likely not yet another tool tier.

Posted

I think onItemRightClick() is only called on the client. You might want to check that with a log output.

Posted

"Damage not being saved" and "stays 0 on the server" means you're only damaging the item on the client side.

Apparently I'm a complete and utter jerk and come to this forum just like to make fun of people, be confrontational, and make your personal life miserable.  If you think this is the case, JUST REPORT ME.  Otherwise you're just going to get reported when you reply to my posts and point it out, because odds are, I was trying to be nice.

 

Exception: If you do not understand Java, I WILL NOT HELP YOU and your thread will get locked.

 

DO NOT PM ME WITH PROBLEMS. No help will be given.

Posted

"Damage not being saved" and "stays 0 on the server" means you're only damaging the item on the client side.

I know...which is what I don't understand. As I said, the method that calls the item damaging has a debug output that prints player.isServerWorld(). Every output from that is true; i.e. it's only being called on the server (or at least it *is* being called on the server). And yet everything else regarding the damage suggests it's only being called on the client. How is it possible for isServerWorld (which just wraps

!world.isRemote

anyway) to return true but the next line of code to run only on the client?

Whatever Minecraft needs, it is most likely not yet another tool tier.

Posted

"Damage not being saved" and "stays 0 on the server" means you're only damaging the item on the client side.

I know...which is what I don't understand. As I said, the method that calls the item damaging has a debug output that prints player.isServerWorld(). Every output from that is true; i.e. it's only being called on the server (or at least it *is* being called on the server). And yet everything else regarding the damage suggests it's only being called on the client. How is it possible for isServerWorld (which just wraps

!world.isRemote

anyway) to return true but the next line of code to run only on the client?

Just to clear it up !world.isRemote is server side and world.isRemote is client side. In the code above you return if !world.isRemote without doing anything in Item#onItemRightClick. And for the player.isServerWorld() println how are we supposed to know with out seeing updated code.

VANILLA MINECRAFT CLASSES ARE THE BEST RESOURCES WHEN MODDING

I will be posting 1.15.2 modding tutorials on this channel. If you want to be notified of it do the normal YouTube stuff like subscribing, ect.

Forge and vanilla BlockState generator.

Posted

"Damage not being saved" and "stays 0 on the server" means you're only damaging the item on the client side.

I know...which is what I don't understand. As I said, the method that calls the item damaging has a debug output that prints player.isServerWorld(). Every output from that is true; i.e. it's only being called on the server (or at least it *is* being called on the server). And yet everything else regarding the damage suggests it's only being called on the client. How is it possible for isServerWorld (which just wraps

!world.isRemote

anyway) to return true but the next line of code to run only on the client?

Just to clear it up !world.isRemote is server side and world.isRemote is client side. In the code above you return if !world.isRemote without doing anything in Item#onItemRightClick. And for the player.isServerWorld() println how are we supposed to know with out seeing updated code.

 

Yes, I know; originally, I had it return if world.isRemote was true, but that was giving me the initial problem of removing all the damage from the item; after changing it to return is world.isRemote was false, that problem stopped happening, although now the damage isn't saving; since it didn't actually fix the problem completely, I've since changed it back.

 

But the code that actually damages the item isn't doing any checks for server/client side at all; it should be running whenever the block collision method is called. The "updated code" is exactly the same as above with an added console log, but here it is again:

 

	@Override
public void onEntityCollidedWithBlock(World world, BlockPos pos, IBlockState state, Entity entity) {
	if (entity instanceof EntityPlayer) {
		EntityPlayer player = (EntityPlayer) entity;

		ItemStack mainItem = player.getHeldItemMainhand();
		ItemStack offItem = player.getHeldItemOffhand();
		if (mainItem != null && mainItem.getItem() == Amethystic.items.PORTKEY && mainItem.hasTagCompound()) {
			NBTTagCompound tag = mainItem.getTagCompound();
			int x = tag.getInteger("linkX"), y = tag.getInteger("linkY"), z = tag.getInteger("linkZ");

			System.out.println("Player collided! On server?: " + player.isServerWorld());

			mainItem.damageItem(1, player); // FIXME: Damage only occurs on
											// client, not server?
			player.setPositionAndUpdate(x, y, z);
			player.setFire(1);
		}
		else if (offItem != null && offItem.getItem() == Amethystic.items.PORTKEY && offItem.hasTagCompound()) {

			NBTTagCompound tag = offItem.getTagCompound();
			int x = tag.getInteger("linkX"), y = tag.getInteger("linkY"), z = tag.getInteger("linkZ");
			offItem.damageItem(1, player);
			player.setPositionAndUpdate(x, y, z);
			player.setFire(1);
		}
	}
}

 

That println() with the player.isServerWorld() call is always printing true, meaning it's only running on the server, correct? And yet, as I mentioned, when right-clicking the item, other debug outputs show the server version of the item has 0 damage at all times, while the client version has the proper amount of damage.

Whatever Minecraft needs, it is most likely not yet another tool tier.

Posted

Entity#isServerWorld

returns the inverse of

World#isRemote

by default, but

EntityPlayerSP

overrides it to return

true

.

EntityLiving

also overrides it to only return

true

if the entity's AI is enabled.

 

If you want to check whether you're on the server, use

World#isRemote

directly.

Please don't PM me to ask for help. Asking your question in a public thread preserves it for people who are having the same problem in the future.

Posted

Entity#isServerWorld

returns the inverse of

World#isRemote

by default, but

EntityPlayerSP

overrides it to return

true

.

EntityLiving

also overrides it to only return

true

if the entity's AI is enabled.

 

If you want to check whether you're on the server, use

World#isRemote

directly.

 

...d'oh! >_< Of course there would be overrides that I didn't see in my examination of things... I bet I'd have seen that if I'd added a breakpoint and stepped through the method... thanks.

 

So now that brings me to the true nature of this problem: the collision method is, in fact, only being called on the client after all, not on the server. So how would I detect a collision on the server? There doesn't even seem to be an event to hook into for that (presumably because this method is the preferred way to handle collisions), so how would I damage the item on the server when collisions seem to only be handled on the client?

Whatever Minecraft needs, it is most likely not yet another tool tier.

Posted
Block#onEntityCollidedWithBlock

is called on both the client and the server. Are you sure your override isn't being called on the server?

Please don't PM me to ask for help. Asking your question in a public thread preserves it for people who are having the same problem in the future.

Posted

Block#onEntityCollidedWithBlock

is called on both the client and the server. Are you sure your override isn't being called on the server?

100%. Below is the full code of the block class, and the only output I'm getting in the console is "Player collided! On server?: false" (and only once per collision, not twice like you'd expect from a server and client execution).

 

package com.IceMetalPunk.amethystic.AmethysticBlocks;

import java.util.Random;

import com.IceMetalPunk.amethystic.Amethystic;

import net.minecraft.block.Block;
import net.minecraft.block.BlockFire;
import net.minecraft.block.material.MapColor;
import net.minecraft.block.state.IBlockState;
import net.minecraft.entity.Entity;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.item.ItemStack;
import net.minecraft.nbt.NBTTagCompound;
import net.minecraft.util.EnumFacing;
import net.minecraft.util.math.BlockPos;
import net.minecraft.world.World;

public class BlockEnderFlame extends BlockFire {
public BlockEnderFlame() {
	super();
	this.setUnlocalizedName("ender_flame").setRegistryName(Amethystic.MODID, "ender_flame");
}

@Override
public int tickRate(World worldIn) {
	return 10;
}

@Override
public MapColor getMapColor(IBlockState state) {
	return MapColor.CYAN;
}

@Override // So the Ender Flame doesn't spread
public void updateTick(World world, BlockPos pos, IBlockState state, Random rand) {
	Block block = world.getBlockState(pos.down()).getBlock();
	int i = ((Integer) state.getValue(AGE)).intValue();
	boolean flag = block.isFireSource(world, pos.down(), EnumFacing.UP);

	if (!flag && world.isRaining() && this.canDie(world, pos) && rand.nextFloat() < 0.2F + (float) i * 0.03F) {
		world.setBlockToAir(pos);
	}
	else if (i < 15) {
		state = state.withProperty(AGE, Integer.valueOf(i + 1));
		world.setBlockState(pos, state, 4);
		world.scheduleUpdate(pos, this, this.tickRate(world) + rand.nextInt(10));
	}
	else {
		world.setBlockToAir(pos);
	}
}

// Teleport the player when they walk through the flames with a linked
// portkey
@Override
public void onEntityCollidedWithBlock(World world, BlockPos pos, IBlockState state, Entity entity) {
	if (entity instanceof EntityPlayer) {
		EntityPlayer player = (EntityPlayer) entity;

		ItemStack mainItem = player.getHeldItemMainhand();
		ItemStack offItem = player.getHeldItemOffhand();
		if (mainItem != null && mainItem.getItem() == Amethystic.items.PORTKEY && mainItem.hasTagCompound()) {
			NBTTagCompound tag = mainItem.getTagCompound();
			int x = tag.getInteger("linkX"), y = tag.getInteger("linkY"), z = tag.getInteger("linkZ");

			System.out.println("Player collided! On server?: " + !player.worldObj.isRemote);

			mainItem.damageItem(1, player); // FIXME: Damage only occurs on
											// client, not server?
			player.setPositionAndUpdate(x, y, z);
			player.setFire(1);
		}
		else if (offItem != null && offItem.getItem() == Amethystic.items.PORTKEY && offItem.hasTagCompound()) {

			NBTTagCompound tag = offItem.getTagCompound();
			int x = tag.getInteger("linkX"), y = tag.getInteger("linkY"), z = tag.getInteger("linkZ");
			offItem.damageItem(1, player);
			player.setPositionAndUpdate(x, y, z);
			player.setFire(1);
		}
	}
}
}

Whatever Minecraft needs, it is most likely not yet another tool tier.

Posted

Block#onEntityCollidedWithBlock

is called on both the client and the server. Are you sure your override isn't being called on the server?

100%. Below is the full code of the block class, and the only output I'm getting in the console is "Player collided! On server?: false" (and only once per collision, not twice like you'd expect from a server and client execution).

 

package com.IceMetalPunk.amethystic.AmethysticBlocks;

import java.util.Random;

import com.IceMetalPunk.amethystic.Amethystic;

import net.minecraft.block.Block;
import net.minecraft.block.BlockFire;
import net.minecraft.block.material.MapColor;
import net.minecraft.block.state.IBlockState;
import net.minecraft.entity.Entity;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.item.ItemStack;
import net.minecraft.nbt.NBTTagCompound;
import net.minecraft.util.EnumFacing;
import net.minecraft.util.math.BlockPos;
import net.minecraft.world.World;

public class BlockEnderFlame extends BlockFire {
public BlockEnderFlame() {
	super();
	this.setUnlocalizedName("ender_flame").setRegistryName(Amethystic.MODID, "ender_flame");
}

@Override
public int tickRate(World worldIn) {
	return 10;
}

@Override
public MapColor getMapColor(IBlockState state) {
	return MapColor.CYAN;
}

@Override // So the Ender Flame doesn't spread
public void updateTick(World world, BlockPos pos, IBlockState state, Random rand) {
	Block block = world.getBlockState(pos.down()).getBlock();
	int i = ((Integer) state.getValue(AGE)).intValue();
	boolean flag = block.isFireSource(world, pos.down(), EnumFacing.UP);

	if (!flag && world.isRaining() && this.canDie(world, pos) && rand.nextFloat() < 0.2F + (float) i * 0.03F) {
		world.setBlockToAir(pos);
	}
	else if (i < 15) {
		state = state.withProperty(AGE, Integer.valueOf(i + 1));
		world.setBlockState(pos, state, 4);
		world.scheduleUpdate(pos, this, this.tickRate(world) + rand.nextInt(10));
	}
	else {
		world.setBlockToAir(pos);
	}
}

// Teleport the player when they walk through the flames with a linked
// portkey
@Override
public void onEntityCollidedWithBlock(World world, BlockPos pos, IBlockState state, Entity entity) {
	if (entity instanceof EntityPlayer) {
		EntityPlayer player = (EntityPlayer) entity;

		ItemStack mainItem = player.getHeldItemMainhand();
		ItemStack offItem = player.getHeldItemOffhand();
		if (mainItem != null && mainItem.getItem() == Amethystic.items.PORTKEY && mainItem.hasTagCompound()) {
			NBTTagCompound tag = mainItem.getTagCompound();
			int x = tag.getInteger("linkX"), y = tag.getInteger("linkY"), z = tag.getInteger("linkZ");

			System.out.println("Player collided! On server?: " + !player.worldObj.isRemote);

			mainItem.damageItem(1, player); // FIXME: Damage only occurs on
											// client, not server?
			player.setPositionAndUpdate(x, y, z);
			player.setFire(1);
		}
		else if (offItem != null && offItem.getItem() == Amethystic.items.PORTKEY && offItem.hasTagCompound()) {

			NBTTagCompound tag = offItem.getTagCompound();
			int x = tag.getInteger("linkX"), y = tag.getInteger("linkY"), z = tag.getInteger("linkZ");
			offItem.damageItem(1, player);
			player.setPositionAndUpdate(x, y, z);
			player.setFire(1);
		}
	}
}
}

Put a println before you do any if checks and just a suggestion use the logger system as it tells you whether it is server or client. Maybe the println does that but i dont remember it that way.

VANILLA MINECRAFT CLASSES ARE THE BEST RESOURCES WHEN MODDING

I will be posting 1.15.2 modding tutorials on this channel. If you want to be notified of it do the normal YouTube stuff like subscribing, ect.

Forge and vanilla BlockState generator.

Posted

I didn't even know Forge had its own logger O_o . I learn something new every day xD But yeah, System.out.println does actually show whether the message is coming from the client thread or the server thread.

 

As I was testing with the new logger, I think I've stumbled (accidentally) upon a key component of this problem. As you can see from the code, it teleports the player away if they're holding a linked item. During testing, I accidentally walked into the block without holding the proper item...and suddenly, I started getting console output from both the client and the server.

 

So I'm going to assume that before, the client was teleporting the player away before the server registered a collision, causing the code to only run on the client side. Now that I've simply altered the code so it will only run on the server, everything is fixed.

 

I guess I should take this as a lesson: just because something strange is happening doesn't mean your own code isn't to blame xD

 

I'm now getting another bug related to the teleportation, but it's not related to the item data, so I'll make a new topic for it.

 

Thanks, everyone who helped! :D

Whatever Minecraft needs, it is most likely not yet another tool tier.

Join the conversation

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

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

×   Pasted as rich text.   Restore formatting

  Only 75 emoji are allowed.

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

×   Your previous content has been restored.   Clear editor

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

Announcements



  • Recently Browsing

    • No registered users viewing this page.
  • Posts

    • tested now without exihiloomnia it works but dont i need it for something?  
    • Did you test it without exnihiloomnia? After adding a crash-report there, just paste the new link to it here
    • im having another issue with a new modpack im making and it crashes on start did the false thing again but still crashes on start   ---- Minecraft Crash Report ---- WARNING: coremods are present:   MalisisSwitchesPlugin (malisisswitches-1.12.2-5.1.0.jar)   LoadingPlugin (RandomThings-MC1.12.2-4.2.7.4.jar)   IELoadingPlugin (ImmersiveEngineering-core-0.12-98.jar)   EngineersDoorsLoadingPlugin (engineers_doors-1.12.2-0.9.1.jar)   RandomPatches (randompatches-1.12.2-1.22.1.10.jar)   Aqua Acrobatics Transformer (AquaAcrobatics-1.15.4.jar)   ForgelinPlugin (Forgelin-1.8.4.jar)   clothesline-hooks (clothesline-hooks-1.12.2-0.0.1.2.jar)   MekanismCoremod (Mekanism-1.12.2-9.8.3.390.jar)   OpenModsCorePlugin (OpenModsLib-1.12.2-0.12.2.jar)   CXLibraryCore (cxlibrary-1.12.1-1.6.1.jar)   Quark Plugin (Quark-r1.6-179.jar)   ObfuscatePlugin (obfuscate-0.4.2-1.12.2.jar)   CTMCorePlugin (CTM-MC1.12.2-1.0.2.31.jar)   UniDictCoreMod (UniDict-1.12.2-3.0.10.jar)   EnderCorePlugin (EnderCore-1.12.2-0.5.78-core.jar)   Plugin (NotEnoughIDs-1.5.4.4.jar)   Inventory Tweaks Coremod (InventoryTweaks-1.63.jar)   MixinBooter (!mixinbooter-10.6.jar)   SecurityCraftLoadingPlugin ([1.12.2] SecurityCraft v1.10.jar)   SecretRoomsMod-Core (secretroomsmod-1.12.2-5.6.4.jar)   LoadingPlugin (ResourceLoader-MC1.12.1-1.5.3.jar)   MalisisCorePlugin (malisiscore-1.12.2-6.5.1.jar) Contact their authors BEFORE contacting forge // Shall we play a game? Time: 7/10/25 12:58 PM Description: There was a severe problem during mod loading that has caused the game to fail net.minecraftforge.fml.common.LoaderException: java.lang.ExceptionInInitializerError     at net.shadowfacts.forgelin.ForgelinAutomaticEventSubscriber.subscribeAutomatic(ForgelinAutomaticEventSubscriber.kt:74)     at net.shadowfacts.forgelin.Forgelin.onPreInit(Forgelin.kt:22)     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)     at java.lang.reflect.Method.invoke(Method.java:497)     at net.minecraftforge.fml.common.FMLModContainer.handleModStateEvent(FMLModContainer.java:637)     at sun.reflect.GeneratedMethodAccessor4.invoke(Unknown Source)     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)     at java.lang.reflect.Method.invoke(Method.java:497)     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91)     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150)     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76)     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399)     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71)     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116)     at com.google.common.eventbus.EventBus.post(EventBus.java:217)     at net.minecraftforge.fml.common.LoadController.sendEventToModContainer(LoadController.java:219)     at net.minecraftforge.fml.common.LoadController.propogateStateMessage(LoadController.java:197)     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)     at java.lang.reflect.Method.invoke(Method.java:497)     at com.google.common.eventbus.Subscriber.invokeSubscriberMethod(Subscriber.java:91)     at com.google.common.eventbus.Subscriber$SynchronizedSubscriber.invokeSubscriberMethod(Subscriber.java:150)     at com.google.common.eventbus.Subscriber$1.run(Subscriber.java:76)     at com.google.common.util.concurrent.MoreExecutors$DirectExecutor.execute(MoreExecutors.java:399)     at com.google.common.eventbus.Subscriber.dispatchEvent(Subscriber.java:71)     at com.google.common.eventbus.Dispatcher$PerThreadQueuedDispatcher.dispatch(Dispatcher.java:116)     at com.google.common.eventbus.EventBus.post(EventBus.java:217)     at net.minecraftforge.fml.common.LoadController.distributeStateMessage(LoadController.java:136)     at net.minecraftforge.fml.common.Loader.preinitializeMods(Loader.java:629)     at net.minecraftforge.fml.client.FMLClientHandler.beginMinecraftLoading(FMLClientHandler.java:252)     at net.minecraft.client.Minecraft.func_71384_a(Minecraft.java:467)     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:378)     at net.minecraft.client.main.Main.main(SourceFile:123)     at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)     at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)     at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)     at java.lang.reflect.Method.invoke(Method.java:497)     at net.minecraft.launchwrapper.Launch.launch(Launch.java:135)     at net.minecraft.launchwrapper.Launch.main(Launch.java:28) Caused by: java.lang.ExceptionInInitializerError     at sun.misc.Unsafe.ensureClassInitialized(Native Method)     at sun.reflect.UnsafeFieldAccessorFactory.newFieldAccessor(UnsafeFieldAccessorFactory.java:43)     at sun.reflect.ReflectionFactory.newFieldAccessor(ReflectionFactory.java:142)     at java.lang.reflect.Field.acquireFieldAccessor(Field.java:1088)     at java.lang.reflect.Field.getFieldAccessor(Field.java:1069)     at java.lang.reflect.Field.get(Field.java:393)     at kotlin.reflect.jvm.internal.KClassImpl$Data$objectInstance$2.invoke(KClassImpl.kt:128)     at kotlin.SafePublicationLazyImpl.getValue(LazyJVM.kt:107)     at kotlin.reflect.jvm.internal.KClassImpl$Data.getObjectInstance(KClassImpl.kt:119)     at kotlin.reflect.jvm.internal.KClassImpl.getObjectInstance(KClassImpl.kt:253)     at net.shadowfacts.forgelin.ForgelinAutomaticEventSubscriber.subscribeAutomatic(ForgelinAutomaticEventSubscriber.kt:59)     ... 41 more Caused by: java.lang.IllegalArgumentException: Cannot create a fluidstack from an unregistered fluid     at net.minecraftforge.fluids.FluidStack.<init>(FluidStack.java:54)     at net.minecraftforge.fluids.BlockFluidClassic.<init>(BlockFluidClassic.java:63)     at net.minecraftforge.fluids.BlockFluidClassic.<init>(BlockFluidClassic.java:68)     at com.jozufozu.exnihiloomnia.common.blocks.BlockFluidWitchWater.<init>(BlockFluidWitchWater.kt:20)     at com.jozufozu.exnihiloomnia.common.blocks.ExNihiloBlocks.<clinit>(ExNihiloBlocks.kt:37)     ... 52 more No Mixin Metadata is found in the Stacktrace. A detailed walkthrough of the error, its code path and all known details is as follows: --------------------------------------------------------------------------------------- -- System Details -- Details:     Minecraft Version: 1.12.2     Operating System: Windows 10 (amd64) version 10.0     Java Version: 1.8.0_51, Oracle Corporation     Java VM Version: Java HotSpot(TM) 64-Bit Server VM (mixed mode), Oracle Corporation     Memory: 3194690224 bytes (3046 MB) / 4560257024 bytes (4349 MB) up to 10468982784 bytes (9984 MB)     JVM Flags: 3 total; -XX:HeapDumpPath=MojangTricksIntelDriversForPerformance_javaw.exe_minecraft.exe.heapdump -Xmx11232m -Xms256m     IntCache: cache: 0, tcache: 0, allocated: 0, tallocated: 0     FML: MCP 9.42 Powered by Forge 14.23.5.2860 287 mods loaded, 287 mods active     States: 'U' = Unloaded 'L' = Loaded 'C' = Constructed 'H' = Pre-initialized 'I' = Initialized 'J' = Post-initialized 'A' = Available 'D' = Disabled 'E' = Errored     | State | ID                                | Version                                                        | Source                                               | Signature                                |     |:----- |:--------------------------------- |:-------------------------------------------------------------- |:---------------------------------------------------- |:---------------------------------------- |     | LCH   | minecraft                         | 1.12.2                                                         | minecraft.jar                                        | None                                     |     | LCH   | mcp                               | 9.42                                                           | minecraft.jar                                        | None                                     |     | LCH   | FML                               | 8.0.99.99                                                      | forge-1.12.2-14.23.5.2860.jar                        | e3c3d50c7c986df74c645c0ac54639741c90a557 |     | LCH   | forge                             | 14.23.5.2860                                                   | forge-1.12.2-14.23.5.2860.jar                        | e3c3d50c7c986df74c645c0ac54639741c90a557 |     | LCH   | mixinbooter                       | 10.6                                                           | minecraft.jar                                        | None                                     |     | LCH   | openmodscore                      | 0.12.2                                                         | minecraft.jar                                        | None                                     |     | LCH   | obfuscate                         | 0.4.2                                                          | minecraft.jar                                        | None                                     |     | LCH   | srm-hooks                         | 1.12.2-1.0.0                                                   | minecraft.jar                                        | None                                     |     | LCH   | clothesline-hooks                 | 1.12.2-0.0.1.2                                                 | minecraft.jar                                        | None                                     |     | LCH   | randompatches                     | 1.12.2-1.22.1.10                                               | randompatches-1.12.2-1.22.1.10.jar                   | None                                     |     | LCH   | freecam                           | 2.0.0                                                          | zergatul.freecam-2.0.0-forge-1.12.2.jar              | None                                     |     | LCH   | essential                         | 1.0.0                                                          | Essential (forge_1.12.2).processed.jar               | None                                     |     | LCH   | securitycraft                     | v1.10                                                          | [1.12.2] SecurityCraft v1.10.jar                     | None                                     |     | LCH   | trop                              | 24.07.19                                                       | [1.12.2] The Rings of Power 24.07.19 (Forge).jar     | None                                     |     | LCH   | actuallyadditions                 | 1.12.2-r152                                                    | ActuallyAdditions-1.12.2-r152.jar                    | None                                     |     | LCH   | baubles                           | 1.5.2                                                          | Baubles-1.12-1.5.2.jar                               | None                                     |     | LCH   | actuallybaubles                   | 1.1                                                            | ActuallyBaubles-1.12-1.1.jar                         | None                                     |     | LCH   | additional_lights                 | 1.12.2-1.2.1                                                   | additional_lights-1.12.2-1.2.1.jar                   | None                                     |     | LCH   | ctm                               | MC1.12.2-1.0.2.31                                              | CTM-MC1.12.2-1.0.2.31.jar                            | None                                     |     | LCH   | appliedenergistics2               | rv6-stable-7                                                   | appliedenergistics2-rv6-stable-7.jar                 | dfa4d3ac143316c6f32aa1a1beda1e34d42132e5 |     | LCH   | endercore                         | 1.12.2-0.5.78                                                  | EnderCore-1.12.2-0.5.78.jar                          | None                                     |     | LCH   | crafttweaker                      | 4.1.20                                                         | CraftTweaker2-1.12-4.1.20.704.jar                    | None                                     |     | LCH   | jei                               | 4.16.1.301                                                     | jei_1.12.2-4.16.1.301.jar                            | None                                     |     | LCH   | codechickenlib                    | 3.2.3.358                                                      | CodeChickenLib-1.12.2-3.2.3.358-universal.jar        | f1850c39b2516232a2108a7bd84d1cb5df93b261 |     | LCH   | redstoneflux                      | 2.1.1                                                          | RedstoneFlux-1.12-2.1.1.1-universal.jar              | None                                     |     | LCH   | cofhcore                          | 4.6.6                                                          | CoFHCore-1.12.2-4.6.6.1-universal.jar                | None                                     |     | LCH   | cofhworld                         | 1.4.0                                                          | CoFHWorld-1.12.2-1.4.0.1-universal.jar               | None                                     |     | LCH   | thermalfoundation                 | 2.6.7                                                          | ThermalFoundation-1.12.2-2.6.7.1-universal.jar       | None                                     |     | LCH   | thermalexpansion                  | 5.5.7                                                          | ThermalExpansion-1.12.2-5.5.7.1-universal.jar        | None                                     |     | LCH   | enderio                           | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LCH   | mantle                            | 1.12-1.3.3.55                                                  | Mantle-1.12-1.3.3.55.jar                             | None                                     |     | LCH   | projecte                          | 1.12.2-PE1.4.1                                                 | ProjectE-1.12.2-PE1.4.1.jar                          | None                                     |     | LCH   | chisel                            | MC1.12.2-1.0.2.45                                              | Chisel-MC1.12.2-1.0.2.45.jar                         | None                                     |     | LCH   | enderiointegrationtic             | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LCH   | quark                             | r1.6-179                                                       | Quark-r1.6-179.jar                                   | None                                     |     | LCH   | tconstruct                        | 1.12.2-2.13.0.183                                              | TConstruct-1.12.2-2.13.0.183.jar                     | None                                     |     | LCH   | p455w0rdslib                      | 2.3.161                                                        | p455w0rdslib-1.12.2-2.3.161.jar                      | 186bc454cd122c9c2f1aa4f95611254bcc543363 |     | LCH   | ae2wtlib                          | 1.0.34                                                         | AE2WTLib-1.12.2-1.0.34.jar                           | 186bc454cd122c9c2f1aa4f95611254bcc543363 |     | LCE   | forgelin                          | 1.8.4                                                          | Forgelin-1.8.4.jar                                   | None                                     |     | LC    | waila                             | 1.8.26                                                         | Hwyla-1.8.26-B41_1.12.2.jar                          | None                                     |     | LC    | buildcraftlib                     | 8.0.0                                                          | buildcraft-core-8.0.0.jar                            | None                                     |     | LC    | buildcraftcore                    | 8.0.0                                                          | buildcraft-core-8.0.0.jar                            | None                                     |     | LC    | mekanism                          | 1.12.2-9.8.3.390                                               | Mekanism-1.12.2-9.8.3.390.jar                        | None                                     |     | LC    | aeadditions                       | 1.3.8                                                          | AEAdditions-1.12.2-1.3.8.jar                         | None                                     |     | LC    | botania                           | r1.10-364                                                      | Botania r1.10-364.4.jar                              | None                                     |     | LC    | aiotbotania                       | 0.7.1                                                          | aiotbotania-0.7.1.jar                                | None                                     |     | LC    | appleskin                         | 1.0.14                                                         | AppleSkin-mc1.12-1.0.14.jar                          | None                                     |     | LC    | aquaacrobatics                    | 1.15.4                                                         | AquaAcrobatics-1.15.4.jar                            | None                                     |     | LC    | atlaslib                          | 1.1.6                                                          | Atlas-Lib-1.12.2-1.1.6.jar                           | None                                     |     | LC    | autoreglib                        | 1.3-32                                                         | AutoRegLib-1.3-32.jar                                | None                                     |     | LC    | bhc                               | 2.0.3                                                          | baubley-heart-canisters-1.12.2-2.0.3.jar             | None                                     |     | LC    | betterbuilderswands               | 0.11.1                                                         | BetterBuildersWands-1.12-0.11.1.245+69d0d70.jar      | None                                     |     | LC    | betternether                      | 0.1.8.6                                                        | betternether-0.1.8.6.jar                             | None                                     |     | LC    | bibliocraft                       | 2.4.6                                                          | BiblioCraft[v2.4.6][MC1.12.2].jar                    | None                                     |     | LC    | biomesoplenty                     | 7.0.1.2445                                                     | BiomesOPlenty-1.12.2-7.0.1.2445-universal.jar        | None                                     |     | LC    | guideapi                          | 1.12-2.1.8-63                                                  | Guide-API-1.12-2.1.8-63.jar                          | None                                     |     | LC    | bloodmagic                        | 1.12.2-2.4.3-105                                               | BloodMagic-1.12.2-2.4.3-105.jar                      | None                                     |     | LC    | bloodsmeltery                     | 1.1.2                                                          | Blood-Smeltery-1.12.2-1.1.2.jar                      | None                                     |     | LC    | bloodarsenal                      | 1.12.2-2.2.2-31                                                | BloodArsenal-1.12.2-2.2.2-31.jar                     | None                                     |     | LC    | bloodtinker                       | 1.0.5                                                          | bloodtinker-1.0.5.jar                                | None                                     |     | LC    | bonsaitrees                       | 1.1.4                                                          | bonsaitrees-1.1.4-b170.jar                           | None                                     |     | LC    | spawnermod                        | 1.0-1.12.2                                                     | branders-enhanced-mob-spawners-v1.12.2-1.4.4.jar.jar | None                                     |     | LC    | buildcraftbuilders                | 8.0.0                                                          | buildcraft-builders-8.0.0.jar                        | None                                     |     | LC    | buildcrafttransport               | 8.0.0                                                          | buildcraft-transport-8.0.0.jar                       | None                                     |     | LC    | buildcraftsilicon                 | 8.0.0                                                          | buildcraft-silicon-8.0.0.jar                         | None                                     |     | LC    | buildcraftcompat                  | 8.0.0                                                          | buildcraft-compat-8.0.0.jar                          | None                                     |     | LC    | buildcraftenergy                  | 8.0.0                                                          | buildcraft-energy-8.0.0.jar                          | None                                     |     | LC    | buildcraftfactory                 | 8.0.0                                                          | buildcraft-factory-8.0.0.jar                         | None                                     |     | LC    | buildcraftrobotics                | 8.0.0                                                          | buildcraft-robotics-8.0.0.jar                        | None                                     |     | LC    | bcrf                              | 2.1.3                                                          | BuildCraftRF-2.1.4.jar                               | None                                     |     | LC    | camera                            | 1.0.10                                                         | camera-1.0.10.jar                                    | None                                     |     | LC    | carryon                           | 1.12.3                                                         | carryon-1.12.2-1.12.7.23.jar                         | None                                     |     | LC    | ceramics                          | 1.12-1.3.7b                                                    | Ceramics-1.12-1.3.7b.jar                             | None                                     |     | LC    | cfm                               | 6.7.0                                                          | cfm-legacy-1.12.2-6.7.0.jar                          | None                                     |     | LC    | chameleon                         | 1.12-4.1.3                                                     | Chameleon-1.12-4.1.3.jar                             | None                                     |     | LC    | chancecubes                       | 1.12.2-5.0.2.385                                               | ChanceCubes-1.12.2-5.0.2.385.jar                     | None                                     |     | LC    | chickens                          | 6.0.4                                                          | chickens-6.0.4.jar                                   | None                                     |     | LC    | chiselsandbits                    | 14.33                                                          | chiselsandbits-14.33.jar                             | None                                     |     | LC    | cjcm                              | 1.0                                                            | cjcm-1.0.jar                                         | None                                     |     | LC    | clayconversion                    | 1.4                                                            | clayconversion-1.12.x-1.4.jar                        | None                                     |     | LC    | sanlib                            | 1.6.3                                                          | SanLib-1.12.2-1.6.3.jar                              | 4aad6d31d04fd4b54ac08427561b110ee66198fd |     | LC    | claysoldiers                      | 3.0.0-beta.2                                                   | ClaySoldiersMod-1.12.2-3.0.0-beta.2.jar              | None                                     |     | LC    | cucumber                          | 1.1.3                                                          | Cucumber-1.12.2-1.1.3.jar                            | None                                     |     | LC    | mysticalagriculture               | 1.7.5                                                          | MysticalAgriculture-1.12.2-1.7.5.jar                 | None                                     |     | LC    | mysticalagradditions              | 1.3.2                                                          | MysticalAgradditions-1.12.2-1.3.2.jar                | None                                     |     | LC    | engineersdecor                    | 1.1.5                                                          | engineersdecor-1.12.2-1.1.5.jar                      | ed58ed655893ced6280650866985abcae2bf7559 |     | LC    | ieclochecompat                    | 2.1.7-dev.454                                                  | ieclochecompat-2.1.7-dev.454.jar                     | None                                     |     | LC    | immersiveengineering              | 0.12-98                                                        | ImmersiveEngineering-0.12-98.jar                     | None                                     |     | LC    | clochepp                          | 1.0.3                                                          | cloche-profit-peripheral-1.12.2-1.0.3.jar            | None                                     |     | LC    | clochecall                        | 1.1.2                                                          | ClocheCall-1.1.2.jar                                 | None                                     |     | LC    | clumps                            | 3.1.2                                                          | Clumps-3.1.2.jar                                     | None                                     |     | LC    | collective                        | 3.0                                                            | collective-1.12.2-3.0.jar                            | None                                     |     | LC    | controlling                       | 3.0.10                                                         | Controlling-3.0.12.4.jar                             | None                                     |     | LC    | cookingforblockheads              | 6.5.0                                                          | CookingForBlockheads_1.12.2-6.5.0.jar                | None                                     |     | LC    | craftingtweaks                    | 8.1.9                                                          | CraftingTweaks_1.12.2-8.1.9.jar                      | None                                     |     | LC    | ctgui                             | 1.0.0                                                          | CraftTweaker2-1.12-4.1.20.704.jar                    | None                                     |     | LC    | crafttweakerjei                   | 2.0.3                                                          | CraftTweaker2-1.12-4.1.20.704.jar                    | None                                     |     | LC    | cxlibrary                         | 1.6.1                                                          | cxlibrary-1.12.1-1.6.1.jar                           | None                                     |     | LC    | decorative_gaming_consoles        | 1.1.0                                                          | decorative-gaming-consoles-forge-1.12.2-1.1.0.jar    | None                                     |     | LC    | doubledoors                       | 2.5                                                            | doubledoors_1.12.2-2.5.jar                           | None                                     |     | LC    | supermartijn642configlib          | 1.1.6                                                          | supermartijn642configlib-1.1.8-forge-mc1.12.jar      | None                                     |     | LC    | durabilitytooltip                 | 1.1.4                                                          | durabilitytooltip-1.1.5-forge-mc1.12.jar             | None                                     |     | LC    | effortlessbuilding                | 1.12.2-2.16                                                    | effortlessbuilding-1.12.2-2.16.jar                   | None                                     |     | LC    | elementalitems                    | 1.8                                                            | elementalitems-1.12.2-14.23.2.2625-1.8.jar           | None                                     |     | LC    | elevatorid                        | 1.3.14                                                         | ElevatorMod-1.12.2-1.3.14.jar                        | None                                     |     | LC    | mysticalmechanics                 | 0.18                                                           | Mystical Mechanics-0.18.jar                          | None                                     |     | LC    | embers                            | 1.19                                                           | EmbersRekindled-1.19.jar                             | None                                     |     | LC    | projectex                         | 1.2.0.40                                                       | ProjectEX-1.2.0.40.jar                               | None                                     |     | LC    | emcbaubles                        | 1.0                                                            | emcbaubles-1.12-1.0.jar                              | None                                     |     | LC    | emcbuilderswand                   | 0.1                                                            | emcbuilderswand-1.12.2-1.9.jar                       | None                                     |     | LC    | enchdesc                          | 1.1.15                                                         | EnchantmentDescriptions-1.12.2-1.1.15.jar            | d476d1b22b218a10d845928d1665d45fce301b27 |     | LC    | enderiobase                       | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderioconduits                   | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderioconduitsappliedenergistics | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderioconduitsopencomputers      | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderioconduitsrefinedstorage     | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderiointegrationforestry        | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderiointegrationticlate         | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderioinvpanel                   | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderiomachines                   | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderiopowertools                 | 5.3.72                                                         | EnderIO-1.12.2-5.3.72.jar                            | None                                     |     | LC    | enderstorage                      | 2.4.6.137                                                      | EnderStorage-1.12.2-2.4.6.137-universal.jar          | f1850c39b2516232a2108a7bd84d1cb5df93b261 |     | LC    | engineersdoors                    | 0.9.1                                                          | engineers_doors-1.12.2-0.9.1.jar                     | None                                     |     | LC    | exnihilocreatio                   | 1.12.2-0.4.7.2                                                 | exnihilocreatio-1.12.2-0.4.7.2.jar                   | None                                     |     | LC    | exnihiloomnia                     | 1.0                                                            | exnihiloomnia_1.12.2-0.0.2.jar                       | None                                     |     | LC    | excompressum                      | 3.0.32                                                         | ExCompressum_1.12.2-3.0.32.jar                       | None                                     |     | LC    | extrabotany                       | 58                                                             | ExtraBotany-r1.1-58r.jar                             | None                                     |     | LC    | extracells                        | 2.6.7                                                          | ExtraCells-1.12.2-2.6.7.jar                          | None                                     |     | LC    | extractpoison                     | 1.6                                                            | extractpoison_1.12.2-1.6.jar                         | None                                     |     | LC    | extrautils2                       | 1.0                                                            | extrautils2-1.12-1.9.9.jar                           | None                                     |     | LC    | zerocore                          | 1.12.2-0.1.2.9                                                 | zerocore-1.12.2-0.1.2.9.jar                          | None                                     |     | LC    | bigreactors                       | 1.12.2-0.4.5.68                                                | ExtremeReactors-1.12.2-0.4.5.68.jar                  | None                                     |     | LC    | farmingforblockheads              | 3.1.28                                                         | FarmingForBlockheads_1.12.2-3.1.28.jar               | None                                     |     | LC    | fastleafdecay                     | v14                                                            | FastLeafDecay-v14.jar                                | None                                     |     | LC    | fluxnetworks                      | 4.1.0                                                          | FluxNetworks-1.12.2-4.1.1.34.jar                     | None                                     |     | LC    | forgemultipartcbe                 | 2.6.2.83                                                       | ForgeMultipart-1.12.2-2.6.2.83-universal.jar         | f1850c39b2516232a2108a7bd84d1cb5df93b261 |     | LC    | microblockcbe                     | 2.6.2.83                                                       | ForgeMultipart-1.12.2-2.6.2.83-universal.jar         | None                                     |     | LC    | minecraftmultipartcbe             | 2.6.2.83                                                       | ForgeMultipart-1.12.2-2.6.2.83-universal.jar         | None                                     |     | LC    | glassdoors                        | 1.0.0                                                          | glassdoors-1.12.2-1.0.0.jar                          | None                                     |     | LC    | grapplemod                        | 1.12.2-v13                                                     | grappling_hook_mod-1.12.2-v13.jar                    | None                                     |     | LC    | gravestone                        | 1.10.3                                                         | gravestone-1.10.3.jar                                | None                                     |     | LC    | ichunutil                         | 7.2.2                                                          | iChunUtil-1.12.2-7.2.2.jar                           | 4db5c2bd1b556f252a5b8b54b256d381b2a0a6b8 |     | LC    | gravitygun                        | 7.1.0                                                          | GravityGun-1.12.2-7.1.0.jar                          | 4db5c2bd1b556f252a5b8b54b256d381b2a0a6b8 |     | LC    | cgm                               | 0.15.3                                                         | guns-0.15.3-1.12.2.jar                               | None                                     |     | LC    | harvest                           | 1.12-1.2.8-25                                                  | Harvest-1.12-1.2.8-25.jar                            | None                                     |     | LC    | hatchery                          | 2.2.2                                                          | hatchery-1.12.2-2.2.2.jar                            | None                                     |     | LC    | hats                              | 7.1.1                                                          | Hats-1.12.2-7.1.1.jar                                | 4db5c2bd1b556f252a5b8b54b256d381b2a0a6b8 |     | LC    | hatstand                          | 7.1.0                                                          | HatStand-1.12.2-7.1.0.jar                            | None                                     |     | LC    | immersivecables                   | 1.3.2                                                          | ImmersiveCables-1.12.2-1.3.2.jar                     | None                                     |     | LC    | immersivepetroleum                | 1.1.10                                                         | immersivepetroleum-1.12.2-1.1.10.jar                 | None                                     |     | LC    | industrialdecor                   | V-22.1120                                                      | industrialdecor_1.12.2_v21.1120.jar                  | None                                     |     | LC    | industrial_decor                  | 1.0.0                                                          | industrialdecor_1.12.2_v21.1120.jar                  | None                                     |     | LC    | teslacorelib                      | 1.0.18                                                         | tesla-core-lib-1.12.2-1.0.18.jar                     | d476d1b22b218a10d845928d1665d45fce301b27 |     | LC    | industrialforegoing               | 1.12.2-1.12.2                                                  | industrialforegoing-1.12.2-1.12.13-237.jar           | None                                     |     | LC    | inventorytweaks                   | 1.63+release.109.220f184                                       | InventoryTweaks-1.63.jar                             | 55d2cd4f5f0961410bf7b91ef6c6bf00a766dcbe |     | LC    | ironbackpacks                     | 1.12.2-3.0.8-12                                                | IronBackpacks-1.12.2-3.0.8-12.jar                    | None                                     |     | LC    | ironchest                         | 1.12.2-7.0.67.844                                              | ironchest-1.12.2-7.0.72.847.jar                      | None                                     |     | LC    | ironfurnaces                      | 1.3.5                                                          | ironfurnaces-1.3.5.jar                               | None                                     |     | LC    | ironjetpacks                      | 1.1.0                                                          | IronJetpacks-1.12-2-1.1.0.jar                        | None                                     |     | LC    | jetif                             | 1.5.2                                                          | jetif-1.12.2-1.5.2.jar                               | None                                     |     | LC    | jetorches                         | 2.1.0                                                          | jetorches-1.12.2-2.1.0.jar                           | None                                     |     | LC    | journeymap                        | 1.12.2-5.7.1p3                                                 | journeymap-1.12.2-5.7.1p3.jar                        | None                                     |     | LC    | harvestcraft                      | 1.12.2zb                                                       | Pam's HarvestCraft 1.12.2zg.jar                      | None                                     |     | LC    | jehc                              | 1.7.2                                                          | just-enough-harvestcraft-1.12.2-1.7.2.jar            | None                                     |     | LC    | jee                               | 1.0.8                                                          | JustEnoughEnergistics-1.12.2-1.0.8.jar               | None                                     |     | LC    | justenoughreactors                | 1.1.3.61                                                       | JustEnoughReactors-1.12.2-1.1.3.61.jar               | 2238d4a92d81ab407741a2fdb741cebddfeacba6 |     | LC    | jeresources                       | 0.9.2.60                                                       | JustEnoughResources-1.12.2-0.9.2.60.jar              | None                                     |     | LC    | justmobheads                      | 5.1                                                            | justmobheads_1.12.2-5.1.jar                          | None                                     |     | LC    | jmc                               | 1.1                                                            | JustMoreCakes-2.0_MC1.12.2.jar                       | None                                     |     | LC    | mystcraft                         | 0.13.7.06                                                      | mystcraft-1.12.2-0.13.7.06.jar                       | None                                     |     | LC    | lootbags                          | 2.5.8.5                                                        | LootBags-1.12.2-2.5.8.5.jar                          | None                                     |     | LC    | magic_doorknob                    | 1.12.2-0.0.4.548                                               | MagicDoorknob-1.12.2-0.0.4.548.jar                   | None                                     |     | LC    | malisiscore                       | 1.12.2-6.5.1-SNAPSHOT                                          | malisiscore-1.12.2-6.5.1.jar                         | None                                     |     | LC    | malisisblocks                     | 1.12.2-6.1.0                                                   | malisisblocks-1.12.2-6.1.0.jar                       | None                                     |     | LC    | malisisdoors                      | 1.12.2-7.3.0                                                   | malisisdoors-1.12.2-7.3.0.jar                        | None                                     |     | LC    | malisisswitches                   | 1.12.2-5.1.0                                                   | malisisswitches-1.12.2-5.1.0.jar                     | None                                     |     | LC    | matc                              | 1.0.1-hotfix                                                   | matc-1.0.1-hotfix.jar                                | None                                     |     | LC    | mcjtylib_ng                       | 3.5.4                                                          | mcjtylib-1.12-3.5.4.jar                              | None                                     |     | LC    | mcwbridges                        | 1.0.6                                                          | mcw-bridges-1.0.6b-mc1.12.2.jar                      | None                                     |     | LC    | mcwdoors                          | 1.3                                                            | mcw-doors-1.0.3-mc1.12.2.jar                         | None                                     |     | LC    | mcwfences                         | 1.0.0                                                          | mcw-fences-1.0.0-mc1.12.2.jar                        | None                                     |     | LC    | mcwfurnitures                     | 1.0.1                                                          | mcw-furniture-1.0.1-mc1.12.2beta.jar                 | None                                     |     | LC    | mcwlights                         | 1.0.6                                                          | mcw-lights-1.0.6-mc1.12.2forge.jar                   | None                                     |     | LC    | mcwpaintings                      | 1.0.5                                                          | mcw-paintings-1.0.5-1.12.2forge.jar                  | None                                     |     | LC    | mcwpaths                          | 1.0.2                                                          | mcw-paths-1.0.2forge-mc1.12.2.jar                    | None                                     |     | LC    | mcwroofs                          | 1.0.2                                                          | mcw-roofs-1.0.2-mc1.12.2.jar                         | None                                     |     | LC    | mcwtrpdoors                       | 1.0.2                                                          | mcw-trapdoors-1.0.3-mc1.12.2.jar                     | None                                     |     | LC    | mcwwindows                        | 1.0                                                            | mcw-windows-1.0.0-mc1.12.2.jar                       | None                                     |     | LC    | mekanismgenerators                | 1.12.2-9.8.3.390                                               | MekanismGenerators-1.12.2-9.8.3.390.jar              | None                                     |     | LC    | mekanismtools                     | 1.12.2-9.8.3.390                                               | MekanismTools-1.12.2-9.8.3.390.jar                   | None                                     |     | LC    | mekatweaker                       | 1.2.0                                                          | mekatweaker-1.12-1.2.0.jar                           | None                                     |     | LC    | mob_grinding_utils                | 0.3.13                                                         | MobGrindingUtils-0.3.13.jar                          | None                                     |     | LC    | morecauldrons                     | 1.4.6                                                          | More-Cauldrons-1.4.6.jar                             | None                                     |     | LC    | morebuckets                       | 1.0.4                                                          | MoreBuckets-1.12.2-1.0.4.jar                         | None                                     |     | LC    | morechickens                      | 3.1.0                                                          | morechickens-1.12.2-3.1.0.jar                        | None                                     |     | LC    | morefurnaces                      | 1.10.5                                                         | MoreFurnaces-1.12.2-1.10.6.jar                       | None                                     |     | LC    | mystlibrary                       | 1.12.2-0.0.3.2                                                 | mystlibrary-1.12.2-0.0.3.2.jar                       | None                                     |     | LC    | moremystcraft                     | 1.0.0                                                          | moremystcraft-1.12.2-1.0.0.jar                       | None                                     |     | LC    | moreoverlays                      | 1.15.1                                                         | moreoverlays-1.15.1-mc1.12.2.jar                     | None                                     |     | LC    | guilib                            | $version                                                       | morepaintings-paintings-1.12.2-5.0.1.2.jar           | None                                     |     | LC    | paintingselgui                    | $version                                                       | morepaintings-paintings-1.12.2-5.0.1.2.jar           | None                                     |     | LC    | morepaintings                     | $version                                                       | morepaintings-paintings-1.12.2-5.0.1.2.jar           | None                                     |     | LC    | morph                             | 7.2.0                                                          | Morph-1.12.2-7.2.1.jar                               | 4db5c2bd1b556f252a5b8b54b256d381b2a0a6b8 |     | LC    | mousetweaks                       | 2.10                                                           | MouseTweaks-2.10-mc1.12.2.jar                        | None                                     |     | LC    | mrtjpcore                         | 2.1.4.43                                                       | MrTJPCore-1.12.2-2.1.4.43-universal.jar              | None                                     |     | LC    | mystagradcompat                   | 1.2                                                            | mystagradcompat-1.2.jar                              | None                                     |     | LC    | mystgears                         | 1.1.7                                                          | mystgears-1.1.7.jar                                  | None                                     |     | LC    | mysticaladaptations               | 1.8.8                                                          | MysticalAdaptations-1.12.2-1.8.8.jar                 | None                                     |     | LC    | mysticalagriexpansion             | 0.4                                                            | MysticalAgriexpansion-1.12.2-0.4.jar                 | None                                     |     | LC    | naturescompass                    | 1.8.5                                                          | NaturesCompass-1.12.2-1.8.5.jar                      | None                                     |     | LC    | nefdecomod                        | 0.9                                                            | NefsMedievalPub+v0.9(1.12.2).jar                     | None                                     |     | LC    | noautojump                        | 1.2                                                            | NoAutoJump-1.12.2-1.2.jar                            | 4ffa87db52cf086d00ecc4853a929367b1c39b5c |     | LC    | norecipebook                      | 1.2.1                                                          | noRecipeBook_v1.2.2formc1.12.2.jar                   | None                                     |     | LC    | neid                              | 1.5.4.4                                                        | NotEnoughIDs-1.5.4.4.jar                             | None                                     |     | LC    | oreexcavation                     | 1.4.150                                                        | OreExcavation-1.4.150.jar                            | None                                     |     | LC    | oeintegration                     | 2.3.4                                                          | oeintegration-2.3.4.jar                              | None                                     |     | LC    | omlib                             | 3.1.5-256                                                      | omlib-1.12.2-3.1.5-256.jar                           | None                                     |     | LC    | ompd                              | 3.1.1-76                                                       | ompd-1.12.2-3.1.1-76.jar                             | None                                     |     | LC    | openmods                          | 0.12.2                                                         | OpenModsLib-1.12.2-0.12.2.jar                        | d2a9a8e8440196e26a268d1f3ddc01b2e9c572a5 |     | LC    | openblocks                        | 1.8.1                                                          | OpenBlocks-1.12.2-1.8.1.jar                          | d2a9a8e8440196e26a268d1f3ddc01b2e9c572a5 |     | LC    | openmodularturrets                | 3.1.14-382                                                     | openmodularturrets-1.12.2-3.1.14-382.jar             | None                                     |     | LC    | ordinarycoins                     | 1.5                                                            | ordinarycoins-1.12.2-1.5.jar                         | None                                     |     | LC    | packcrashinfo                     | %VERSION%                                                      | packcrashinfo-1.0.1.jar                              | None                                     |     | LC    | simplerecipes                     | 1.12.2c                                                        | Pam's Simple Recipes 1.12.2c.jar                     | None                                     |     | LC    | pamscookables                     | 1.1                                                            | pamscookables-1.1.jar                                | None                                     |     | LC    | pgwbandedtorches                  | 0.9.20200801                                                   | pgwbandedtorches-1.12.2-0.9.20200801.jar             | None                                     |     | LC    | pickletweaks                      | 2.1.3                                                          | PickleTweaks-1.12.2-2.1.3.jar                        | None                                     |     | LC    | playerskins                       | 1.0.4                                                          | playerskin-1.12.2-1.0.5.jar                          | None                                     |     | LC    | portablecraftingtable             | 1.1.4                                                          | PortableCraftingTable-1.12.2-1.1.4.jar               | None                                     |     | LC    | portalgun                         | 7.1.0                                                          | PortalGun-1.12.2-7.1.0.jar                           | 4db5c2bd1b556f252a5b8b54b256d381b2a0a6b8 |     | LC    | teslathingies                     | 1.0.15                                                         | powered-thingies-1.12.2-1.0.15.jar                   | d476d1b22b218a10d845928d1665d45fce301b27 |     | LC    | projectred-core                   | 4.9.4.120                                                      | ProjectRed-1.12.2-4.9.4.120-Base.jar                 | None                                     |     | LC    | projectred-compat                 | 1.0                                                            | ProjectRed-1.12.2-4.9.4.120-compat.jar               | None                                     |     | LC    | projectred-integration            | 4.9.4.120                                                      | ProjectRed-1.12.2-4.9.4.120-integration.jar          | None                                     |     | LC    | projectred-transmission           | 4.9.4.120                                                      | ProjectRed-1.12.2-4.9.4.120-integration.jar          | None                                     |     | LC    | projectred-illumination           | 4.9.4.120                                                      | ProjectRed-1.12.2-4.9.4.120-lighting.jar             | None                                     |     | LC    | randomthings                      | 4.2.7.4                                                        | RandomThings-MC1.12.2-4.2.7.4.jar                    | d72e0dd57935b3e9476212aea0c0df352dd76291 |     | LC    | randomtweaks                      | 1.12.2-2.8.3.1                                                 | randomtweaks-1.12.2-2.8.3.1.jar                      | 20d08fb3fe9c268a63a75d337fb507464c8aaccd |     | LC    | rbm2                              | RBM2 Pre-Release BetaV0.3.0 For MinecraftV1.12, 1.12.1, 1.12.2 | RBM2V1.0.0.jar                                       | None                                     |     | LC    | resourceloader                    | 1.5.3                                                          | ResourceLoader-MC1.12.1-1.5.3.jar                    | d72e0dd57935b3e9476212aea0c0df352dd76291 |     | LC    | rftools                           | 7.73                                                           | rftools-1.12-7.73.jar                                | None                                     |     | LC    | rftoolspower                      | 1.2.0                                                          | rftoolspower-1.12-1.2.0.jar                          | None                                     |     | LC    | sanplayermodel                    | 1.2.2                                                          | SanLib-1.12.2-1.6.3.jar                              | None                                     |     | LC    | playershop                        | 1.0                                                            | SCMowns Player Shop Mod v1.0.0.jar                   | None                                     |     | LC    | secretroomsmod                    | 5.6.4                                                          | secretroomsmod-1.12.2-5.6.4.jar                      | None                                     |     | LC    | oeshapeselector                   | 1.0                                                            | shapeselector-1.12.2b4.jar                           | None                                     |     | LC    | simple-rpc                        | 1.0                                                            | simple-rpc-1.12.2-3.1.1.jar                          | None                                     |     | LC    | simplecorn                        | 2.5.12                                                         | SimpleCorn1.12-2.5.12.jar                            | None                                     |     | LC    | lteleporters                      | 1.12.2-3.0.2                                                   | simpleteleporters-1.12.2-3.0.2.jar                   | None                                     |     | LC    | simple_trophies                   | 1.2.2                                                          | simpletrophies-1.2.2.1.jar                           | None                                     |     | LC    | thermaldynamics                   | 2.5.6                                                          | ThermalDynamics-1.12.2-2.5.6.1-universal.jar         | None                                     |     | LC    | simplyjetpacks                    | 1.12.2-2.2.20.0                                                | SimplyJetpacks2-1.12.2-2.2.20.0.jar                  | None                                     |     | LC    | simplylight                       | 1.12.2-0.8.7                                                   | simplylight-1.12.2-0.8.7.jar                         | None                                     |     | LC    | solarflux                         | 12.4.11                                                        | SolarFluxReborn-1.12.2-12.4.11.jar                   | 9f5e2a811a8332a842b34f6967b7db0ac4f24856 |     | LC    | storagedrawers                    | 5.5.3                                                          | StorageDrawers-1.12.2-5.5.3.jar                      | None                                     |     | LC    | storagedrawersextra               | @VERSION@                                                      | StorageDrawersExtras-1.12-3.1.0.jar                  | None                                     |     | LC    | taiga                             | 1.12.2-1.3.3                                                   | taiga-1.12.2-1.3.4.jar                               | None                                     |     | LC    | thermalcultivation                | 0.3.6                                                          | ThermalCultivation-1.12.2-0.3.6.1-universal.jar      | None                                     |     | LC    | thermalinnovation                 | 0.3.6                                                          | ThermalInnovation-1.12.2-0.3.6.1-universal.jar       | None                                     |     | LC    | thermalsolars                     | 1.12.2 V1.9.5                                                  | thermalsolars-1.12.2-1.9.5.jar                       | None                                     |     | LC    | thermaltinkering                  | 1.0                                                            | ThermalTinkering-1.12.2-2.0.1.jar                    | None                                     |     | LC    | tcomplement                       | 1.12.2-0.4.3                                                   | TinkersComplement-1.12.2-0.4.3.jar                   | None                                     |     | LC    | tinkersjei                        | 1.2                                                            | tinkersjei-1.2.jar                                   | None                                     |     | LC    | tinymobfarm                       | 1.0.5                                                          | TinyMobFarm-1.12.2-1.0.5.jar                         | None                                     |     | LC    | tp                                | 3.2.34                                                         | tinyprogressions-1.12.2-3.3.34-Release.jar           | None                                     |     | LC    | torchmaster                       | 1.8.5.0                                                        | torchmaster_1.12.2-1.8.5.0.jar                       | None                                     |     | LC    | travelersbackpack                 | 1.0.35                                                         | TravelersBackpack-1.12.2-1.0.35.jar                  | None                                     |     | LC    | treegrowingsimulator              | 0.0.4                                                          | TreeGrowingSimulator2017-1.0.1.jar                   | None                                     |     | LC    | xat                               | 0.32.5                                                         | Trinkets and Baubles-0.32.5.jar                      | None                                     |     | LC    | vehicle                           | 0.44.1                                                         | vehicle-mod-0.44.1-1.12.2.jar                        | None                                     |     | LC    | wanionlib                         | 1.12.2-2.91                                                    | WanionLib-1.12.2-2.91.jar                            | None                                     |     | LC    | wft                               | 1.0.4                                                          | WirelessFluidTerminal-1.12.2-1.0.4.jar               | 186bc454cd122c9c2f1aa4f95611254bcc543363 |     | LC    | wit                               | 1.0.2                                                          | WirelessInterfaceTerminal-1.12.2-1.0.2.jar           | 186bc454cd122c9c2f1aa4f95611254bcc543363 |     | LC    | wirelessredstone                  | 1.12.2-1.1.6                                                   | WirelessRedstone-1.12.2-1.1.6.jar                    | None                                     |     | LC    | wrcbe                             | 2.3.2                                                          | WR-CBE-1.12.2-2.3.2.33-universal.jar                 | f1850c39b2516232a2108a7bd84d1cb5df93b261 |     | LC    | xercapaint                        | 1.12.2-1.3                                                     | xercapaint-1.12.2-1.3.jar                            | None                                     |     | LC    | more_dims                         | 1.0.2                                                          | Y.A.M.D.1.0.2.jar                                    | None                                     |     | LC    | recipehandler                     | 0.14                                                           | YARCF-0.14(1.12.2).jar                               | None                                     |     | LC    | yastm                             | 1.12.2                                                         | yastm-1.12.2-2.0.0BETA-universal.jar                 | None                                     |     | LC    | ladylib                           | 2.6.2                                                          | Ladylib-2.6.2.jar                                    | None                                     |     | LC    | modwinder                         | 1.1                                                            | Ladylib-2.6.2.jar                                    | None                                     |     | LC    | dissolution                       | 0.3.13                                                         | Dissolution-1.12.2-0.3.13r2.jar                      | None                                     |     | LC    | jade                              | 0.1.0                                                          | Jade-0.1.0.jar                                       | None                                     |     | LC    | orelib                            | 3.6.0.1                                                        | OreLib-1.12.2-3.6.0.1.jar                            | 7a2128d395ad96ceb9d9030fbd41d035b435753a |     | LC    | patchwork                         | 0.2.3.4                                                        | Patchwork-1.12.2-0.2.3.4BETA.jar                     | 7a2128d395ad96ceb9d9030fbd41d035b435753a |     | LC    | teslacorelib_registries           | 1.0.18                                                         | tesla-core-lib-1.12.2-1.0.18.jar                     | None                                     |     | LC    | unidict                           | 1.12.2-3.0.10                                                  | UniDict-1.12.2-3.0.10.jar                            | None                                     |     Loaded coremods (and transformers):  MalisisSwitchesPlugin (malisisswitches-1.12.2-5.1.0.jar)    LoadingPlugin (RandomThings-MC1.12.2-4.2.7.4.jar)   lumien.randomthings.asm.ClassTransformer IELoadingPlugin (ImmersiveEngineering-core-0.12-98.jar)   blusunrize.immersiveengineering.common.asm.IEClassTransformer EngineersDoorsLoadingPlugin (engineers_doors-1.12.2-0.9.1.jar)   nihiltres.engineersdoors.common.asm.EngineersDoorsClassTransformer RandomPatches (randompatches-1.12.2-1.22.1.10.jar)   com.therandomlabs.randompatches.core.RPTransformer Aqua Acrobatics Transformer (AquaAcrobatics-1.15.4.jar)    ForgelinPlugin (Forgelin-1.8.4.jar)    clothesline-hooks (clothesline-hooks-1.12.2-0.0.1.2.jar)   com.jamieswhiteshirt.clothesline.hooks.plugin.ClassTransformer MekanismCoremod (Mekanism-1.12.2-9.8.3.390.jar)   mekanism.coremod.KeybindingMigrationHelper OpenModsCorePlugin (OpenModsLib-1.12.2-0.12.2.jar)   openmods.core.OpenModsClassTransformer CXLibraryCore (cxlibrary-1.12.1-1.6.1.jar)   cubex2.cxlibrary.CoreModTransformer Quark Plugin (Quark-r1.6-179.jar)   vazkii.quark.base.asm.ClassTransformer ObfuscatePlugin (obfuscate-0.4.2-1.12.2.jar)   com.mrcrayfish.obfuscate.asm.ObfuscateTransformer CTMCorePlugin (CTM-MC1.12.2-1.0.2.31.jar)   team.chisel.ctm.client.asm.CTMTransformer UniDictCoreMod (UniDict-1.12.2-3.0.10.jar)   wanion.unidict.core.UniDictCoreModTransformer EnderCorePlugin (EnderCore-1.12.2-0.5.78-core.jar)   com.enderio.core.common.transform.EnderCoreTransformer   com.enderio.core.common.transform.SimpleMixinPatcher Plugin (NotEnoughIDs-1.5.4.4.jar)   ru.fewizz.neid.asm.Transformer Inventory Tweaks Coremod (InventoryTweaks-1.63.jar)   invtweaks.forge.asm.ContainerTransformer MixinBooter (!mixinbooter-10.6.jar)    SecurityCraftLoadingPlugin ([1.12.2] SecurityCraft v1.10.jar)    SecretRoomsMod-Core (secretroomsmod-1.12.2-5.6.4.jar)   com.wynprice.secretroomsmod.core.SecretRoomsTransformer LoadingPlugin (ResourceLoader-MC1.12.1-1.5.3.jar)   lumien.resourceloader.asm.ClassTransformer MalisisCorePlugin (malisiscore-1.12.2-6.5.1.jar)        GL info: ' Vendor: 'NVIDIA Corporation' Version: '4.6.0 NVIDIA 576.88' Renderer: 'NVIDIA GeForce RTX 5060 Ti/PCIe/SSE2'     OpenModsLib class transformers: [llama_null_fix:FINISHED],[horse_base_null_fix:FINISHED],[pre_world_render_hook:FINISHED],[player_render_hook:FINISHED],[horse_null_fix:FINISHED]     AE2 Version: stable rv6-stable-7 for Forge 14.23.5.2768     Ender IO: No known problems detected.     Authlib is : /C:/Users/sjm77/curseforge/minecraft/Install/libraries/com/mojang/authlib/1.5.25/authlib-1.5.25.jar     !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!     !!!You are looking at the diagnostics information, not at the crash.       !!!     !!!Scroll up until you see the line with '---- Minecraft Crash Report ----'!!!     !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!     Pulsar/tconstruct loaded Pulses:          - TinkerCommons (Enabled/Forced)         - TinkerWorld (Enabled/Not Forced)         - TinkerTools (Enabled/Not Forced)         - TinkerHarvestTools (Enabled/Forced)         - TinkerMeleeWeapons (Enabled/Forced)         - TinkerRangedWeapons (Enabled/Forced)         - TinkerModifiers (Enabled/Forced)         - TinkerSmeltery (Enabled/Not Forced)         - TinkerGadgets (Enabled/Not Forced)         - TinkerOredict (Enabled/Forced)         - TinkerIntegration (Enabled/Forced)         - TinkerFluids (Enabled/Forced)         - TinkerMaterials (Enabled/Forced)         - TinkerModelRegister (Enabled/Forced)         - chiselIntegration (Enabled/Not Forced)         - chiselsandbitsIntegration (Enabled/Not Forced)         - craftingtweaksIntegration (Enabled/Not Forced)         - wailaIntegration (Enabled/Not Forced)         - quarkIntegration (Enabled/Not Forced)     Modpack Information: Modpack: [Croc's fun] Version: [null] by author [null]     Pulsar/tcomplement loaded Pulses:          - ModuleCommons (Enabled/Forced)         - ModuleMelter (Enabled/Not Forced)         - ModuleArmor (Enabled/Not Forced)         - ModuleSteelworks (Enabled/Not Forced)         - CeramicsPlugin (Enabled/Not Forced)         - ChiselPlugin (Enabled/Not Forced)         - ExNihiloPlugin (Enabled/Not Forced)         - Oredict (Enabled/Forced)  
  • Topics

×
×
  • Create New...

Important Information

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