Jump to content

[1.12.2] Tile Inventory Not Saving


unassigned

Recommended Posts

Hello, I have a tile entity with an Inventory, however, when saving and exiting, then re-entering, the item disappears. As well, the client is never actually aware of the item, its all stored on the server, which makes me believe that there is some kind of desync issue. Here is the my TE base class, which handles capabilities and nbt syncing/saving:

Spoiler

public class TileBase extends TileEntity implements ITickable {

    protected String name;
    protected TileEntity[] tilesNear = new TileEntity[6];
    protected int ticksElapsed;

    public TileBase(String name) {
        this.name = name;
    }

    public String getRawName() { return this.name; }

    @Override
    public void update() { //todo energy interaction
        ticksElapsed++;
        this.sendIntervalUpdate();
    }

    @Override
    public final NBTTagCompound writeToNBT(NBTTagCompound compound){
        this.writeSyncNBT(compound, SaveType.SAVE_TILE);
        return compound;
    }

    @Override
    public final void readFromNBT(NBTTagCompound compound){
        this.readSyncNBT(compound, SaveType.SAVE_TILE);
    }

    @Override
    public final SPacketUpdateTileEntity getUpdatePacket(){
        NBTTagCompound compound = new NBTTagCompound();
        this.writeSyncNBT(compound, SaveType.SYNC);
        return new SPacketUpdateTileEntity(this.pos, -1, compound);
    }

    @Override
    public final void onDataPacket(NetworkManager net, SPacketUpdateTileEntity pkt){
        this.readSyncNBT(pkt.getNbtCompound(), SaveType.SYNC);
    }

    @Override
    public final NBTTagCompound getUpdateTag(){
        NBTTagCompound compound = new NBTTagCompound();
        this.writeSyncNBT(compound, SaveType.SYNC);
        return compound;
    }

    @Override
    public final void handleUpdateTag(NBTTagCompound compound){
        this.readSyncNBT(compound, SaveType.SYNC);
    }

    public void writeSyncNBT(NBTTagCompound compound, SaveType type){
        if(type != SaveType.SAVE_BLOCK) super.writeToNBT(compound);

        if(type == SaveType.SAVE_TILE){
            compound.setInteger("TicksElapsed", this.ticksElapsed);
        }

    }

    public void readSyncNBT(NBTTagCompound compound, SaveType type){
        if(type != SaveType.SAVE_BLOCK) super.readFromNBT(compound);

        if(type == SaveType.SAVE_TILE){
            this.ticksElapsed = compound.getInteger("TicksElapsed");
        }

    }

    @Override
    public boolean shouldRefresh(World world, BlockPos pos, IBlockState oldState, IBlockState newState){
        return !oldState.getBlock().isAssociatedBlock(newState.getBlock());
    }

    @Nullable
    @Override
    public ITextComponent getDisplayName() {
        return new TextComponentTranslation("container."+ VoidUtils.MODID+"."+this.name+".name");
    }

    protected void sendIntervalUpdate() {
        if(this.ticksElapsed%5 == 0){ //1/5 update per second todo: configs
            this.sendNetworkUpdate();
        }
    }

    public final void sendNetworkUpdate(){ if(world != null && !world.isRemote) TilePacketDispatcher.dispatchTEPacket(this);}

    @Override
    public boolean hasCapability(Capability<?> capability, EnumFacing facing){
        return this.getCapability(capability, facing) != null;
    }

    @SuppressWarnings("unchecked")
    @Override
    public <T> T getCapability(Capability<T> capability, EnumFacing facing){
        if(capability == CapabilityItemHandler.ITEM_HANDLER_CAPABILITY){
            IItemHandler handler = this.getItemHandler(facing);
            if(handler != null){
                return (T)handler;
            }
        }
        else if(capability == CapabilityFluidHandler.FLUID_HANDLER_CAPABILITY){
            IFluidHandler tank = this.getFluidHandler(facing);
            if(tank != null){
                return (T)tank;
            }
        }
        else if(capability == CapabilityEnergy.ENERGY){
            IEnergyStorage storage = this.getEnergyStorage(facing);
            if(storage != null){
                return (T)storage;
            }
        }
        return super.getCapability(capability, facing);
    }

    /**
     * Override these when you want the Tile to have the capability
     * @param facing side that the capability exists
     * @return the handler
     */
    @Nullable
    public IItemHandler getItemHandler(EnumFacing facing){
        return null;
    }

    /**
     * Override these when you want this tile to have the capability
     * @param facing side that the capability exists
     * @return the handler
     */
    @Nullable
    public IEnergyStorage getEnergyStorage(EnumFacing facing){
        return null;
    }

    /**
     * Override these when you want this tile to have the capability
     * @param facing side that the capability exists
     * @return the handler
     */
    @Nullable
    public IFluidHandler getFluidHandler(EnumFacing facing){
        return null;
    }

    public enum SaveType {
        SAVE_TILE,
        SYNC,
        SAVE_BLOCK
    }
}

 

 

And here is the extension of this that adds an inventory:

Spoiler

public class TileInventoryBase extends TileBase {

    public final ItemStackHandler inv;

    public TileInventoryBase(String name, int slots){
        super(name);
        inv = new TileStackHandler(slots);
    }

    @Override
    public void writeSyncNBT(NBTTagCompound compound, SaveType type) {
        super.writeSyncNBT(compound, type);
        if(type == SaveType.SAVE_TILE || (type == SaveType.SYNC && this.shouldSyncSlots())) this.inv.serializeNBT();
    }

    @Override
    public void readSyncNBT(NBTTagCompound compound, SaveType type) {
        super.readSyncNBT(compound, type);
        if(type == SaveType.SAVE_TILE || (type == SaveType.SYNC && this.shouldSyncSlots())) this.inv.deserializeNBT(compound);
    }

    @Override
    public void markDirty() {
        super.markDirty();
        if(this.shouldSyncSlots()){
            this.sendNetworkUpdate();
        }
    }

    @Nullable
    @Override
    public IItemHandler getItemHandler(EnumFacing facing) {
        return this.inv;
    }

    public int getMaxStackSize(int slot) { return 64; }

    public boolean shouldSyncSlots() { return false; }

    protected class TileStackHandler extends ItemStackHandler {

        protected TileStackHandler(int slots) {
            super(slots);
        }

        @Override
        public int getSlotLimit(int slot) {
            return TileInventoryBase.this.getMaxStackSize(slot);
        }

        @Override
        protected void onContentsChanged(int slot) {
            super.onContentsChanged(slot);
            TileInventoryBase.this.markDirty();
        }
    }
}

 

 

I have stepped through where I dispatch the vanilla packet, and during inventory changed, the function is called and sent to the client, however, nothing actually happens past that, and the item is never synced, thus lost upon restarting. Here is where I'm sending this vanilla packet:

Spoiler

   public static void dispatchTEPacket(TileEntity tileEntity){
        WorldServer worldServer = (WorldServer) tileEntity.getWorld();
        PlayerChunkMapEntry entry = worldServer.getPlayerChunkMap().getEntry(tileEntity.getPos().getX() >> 4, tileEntity.getPos().getZ() >> 4);
        if(entry == null) return;

        for(EntityPlayerMP player : entry.getWatchingPlayers()){
            if(tileEntity.getUpdatePacket() != null)
                player.connection.sendPacket(tileEntity.getUpdatePacket());
        }
    }

 

 

Thank you.

Link to comment
Share on other sites

You should not sync the inventory to the client manually. This happens automatically through the Container mechanisms.

Syncing to the client also has nothing to do with things saving to disk (i.e. persisting through restarts).

 

In general I can only recommend to keep "saving to disk" and "syncing to the client" clearly separated, as they very rarely do the same thing.

 

Also, why is dispatchTEPacket a thing? Vanilla already does that.

Link to comment
Share on other sites

2 hours ago, diesieben07 said:

You should not sync the inventory to the client manually. This happens automatically through the Container mechanisms.

Syncing to the client also has nothing to do with things saving to disk (i.e. persisting through restarts).

 

My block doesn't actually have a container, nor does it have a GUI. It's a block that stores internally and displays it in the world in a render. I don't think I have to provide a container for this, as nothing is being displayed/interacted with, how I know that these are desynced is from a simple logger within the update function fired on both sides:

[16:57:18] [Client thread/INFO] [STDOUT]: [com.github.unassingedxd.voidutils.main.tile.TileVoidInfuser:update:32]: 1xtile.air@0
[16:57:18] [Server thread/INFO] [STDOUT]: [com.github.unassingedxd.voidutils.main.tile.TileVoidInfuser:update:32]: 1xitem.diamond@0

As you can see, the client thread still thinks that there is nothing in it, while the server thread has the correct information being displayed.

 

2 hours ago, diesieben07 said:

In general I can only recommend to keep "saving to disk" and "syncing to the client" clearly separated, as they very rarely do the same thing.

 

Yeah, that's what I attempted to separate with my SaveType stuff, to cut down on saving/loading every tick when nothing is actually being done. I think I implemented it correctly, as nothing is being saved atm as nothing is needed synced (within the TileBase). However, on the inventory sided of things, if my 'shouldSyncSlots' is true, then it will send every sync update, however, as you see, its just serializing/deserializing nbt's from the inventory, which I think is what you're getting at. Is there any way to manually send this information without a container? As I still believe that a container isn't necessary for the purposes I have for the block right now. 

 

2 hours ago, diesieben07 said:

You should not sync the inventory to the client manually. This happens automatically through the Container mechanisms.

Syncing to the client also has nothing to do with things saving to disk (i.e. persisting through restarts).

 

In general I can only recommend to keep "saving to disk" and "syncing to the client" clearly separated, as they very rarely do the same thing.

  

Also, why is dispatchTEPacket a thing? Vanilla already does that.

This was my attempt to send that packet within intervals to cut down in network traffic, is there a better way to achieve this? Or do I have the completely wrong idea on sending updates on an interval?

 

Thank you for your time.

Link to comment
Share on other sites

18 hours ago, unassigned said:

Yeah, that's what I attempted to separate with my SaveType stuff, to cut down on saving/loading every tick when nothing is actually being done. I think I implemented it correctly, as nothing is being saved atm as nothing is needed synced (within the TileBase). However, on the inventory sided of things, if my 'shouldSyncSlots' is true, then it will send every sync update, however, as you see, its just serializing/deserializing nbt's from the inventory, which I think is what you're getting at. Is there any way to manually send this information without a container? As I still believe that a container isn't necessary for the purposes I have for the block right now. 

I recommend just keeping the methods separate, like vanilla already does. writeToNbt and readFromNbt should be kept for saving to disk, don't mix in syncing to the client. If you want to use the vanilla mechanism for tile entity syncing, I explained that here.

 

19 hours ago, unassigned said:

This was my attempt to send that packet within intervals to cut down in network traffic, is there a better way to achieve this? Or do I have the completely wrong idea on sending updates on an interval?

Call World::notifyBlockUpdate to re-send the vanilla tile entity sync packet (see above).

Link to comment
Share on other sites

4 minutes ago, diesieben07 said:

I recommend just keeping the methods separate, like vanilla already does. writeToNbt and readFromNbt should be kept for saving to disk, don't mix in syncing to the client. If you want to use the vanilla mechanism for tile entity syncing, I explained that here.

 

Call World::notifyBlockUpdate to re-send the vanilla tile entity sync packet (see above).

Okay, I rearranged my stuff (ex. separating NBT from Syncing) and it seems to be working now. Thanks!

Link to comment
Share on other sites

Join the conversation

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

Guest
Reply to this topic...

×   Pasted as rich text.   Restore formatting

  Only 75 emoji are allowed.

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

×   Your previous content has been restored.   Clear editor

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



  • Recently Browsing

    • No registered users viewing this page.
  • Posts

    • I removed that mod and I can now reach the main menu, now when I load into a world it crashes... https://pastebin.com/H3SDdyjp
    • Conflict between apotheosis and unique enchantments. Check you have the latest versions then contact the mod authors.
    • ---- Minecraft Crash Report ---- // This doesn't make any sense! Time: 2023-03-21 19:41:20 Description: Ticking entity org.spongepowered.asm.mixin.transformer.throwables.MixinTransformerError: An unexpected critical error was encountered     at org.spongepowered.asm.mixin.transformer.MixinProcessor.applyMixins(MixinProcessor.java:392) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.MixinTransformer.transformClass(MixinTransformer.java:250) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.service.modlauncher.MixinTransformationHandler.processClass(MixinTransformationHandler.java:131) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.launch.MixinLaunchPluginLegacy.processClass(MixinLaunchPluginLegacy.java:131) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at cpw.mods.modlauncher.serviceapi.ILaunchPluginService.processClassWithFlags(ILaunchPluginService.java:156) ~[modlauncher-10.0.8.jar:10.0.8+10.0.8+main.0ef7e830] {}     at cpw.mods.modlauncher.LaunchPluginHandler.offerClassNodeToPlugins(LaunchPluginHandler.java:88) ~[modlauncher-10.0.8.jar:?] {}     at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:120) ~[modlauncher-10.0.8.jar:?] {}     at cpw.mods.modlauncher.TransformingClassLoader.maybeTransformClassBytes(TransformingClassLoader.java:50) ~[modlauncher-10.0.8.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.readerToClass(ModuleClassLoader.java:113) ~[securejarhandler-2.1.4.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.lambda$findClass$15(ModuleClassLoader.java:219) ~[securejarhandler-2.1.4.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.loadFromModule(ModuleClassLoader.java:229) ~[securejarhandler-2.1.4.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.findClass(ModuleClassLoader.java:219) ~[securejarhandler-2.1.4.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.loadClass(ModuleClassLoader.java:135) ~[securejarhandler-2.1.4.jar:?] {}     at java.lang.ClassLoader.loadClass(ClassLoader.java:520) ~[?:?] {}     at net.minecraft.world.entity.LivingEntity.m_5806_(LivingEntity.java:508) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:computing_frames,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:caelus.mixins.json:MixinLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.MixinLivingEntity,pl:mixin:APP:apotheosis.mixins.json:LivingEntityMixin,pl:mixin:APP:apotheosis.mixins.json:LivingEntityInvoker,pl:mixin:APP:relics.mixins.json:MixinLivingEntity,pl:mixin:APP:betterdeserttemples.mixins.json:PharaohKilledMixin,pl:mixin:APP:ars_nouveau.mixins.json:elytra.MixinLivingEntity,pl:mixin:APP:ars_nouveau.mixins.json:perks.PerkLivingEntity,pl:mixin:APP:curios.mixins.json:MixinLivingEntity,pl:mixin:APP:quark.mixins.json:accessor.AccessorLivingEntity,pl:mixin:APP:uniquebase.mixins.json:common.entity.LivingEntityMixin,pl:mixin:APP:enigmaticlegacy.mixins.json:MixinLivingEntity,pl:mixin:A}     at net.minecraft.world.entity.LivingEntity.m_6075_(LivingEntity.java:375) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:computing_frames,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:caelus.mixins.json:MixinLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.MixinLivingEntity,pl:mixin:APP:apotheosis.mixins.json:LivingEntityMixin,pl:mixin:APP:apotheosis.mixins.json:LivingEntityInvoker,pl:mixin:APP:relics.mixins.json:MixinLivingEntity,pl:mixin:APP:betterdeserttemples.mixins.json:PharaohKilledMixin,pl:mixin:APP:ars_nouveau.mixins.json:elytra.MixinLivingEntity,pl:mixin:APP:ars_nouveau.mixins.json:perks.PerkLivingEntity,pl:mixin:APP:curios.mixins.json:MixinLivingEntity,pl:mixin:APP:quark.mixins.json:accessor.AccessorLivingEntity,pl:mixin:APP:uniquebase.mixins.json:common.entity.LivingEntityMixin,pl:mixin:APP:enigmaticlegacy.mixins.json:MixinLivingEntity,pl:mixin:A}     at net.minecraft.world.entity.Mob.m_6075_(Mob.java:250) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorMob,pl:mixin:APP:ars_nouveau.mixins.json:jar.MobAccessorMixin,pl:mixin:A}     at net.minecraft.world.entity.Entity.m_8119_(Entity.java:417) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:computing_frames,pl:accesstransformer:B,re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorEntity,pl:mixin:APP:relics.mixins.json:MixinEntity,pl:mixin:APP:ars_nouveau.mixins.json:light.LightEntityMixin,pl:mixin:APP:curios.mixins.json:AccessorEntity,pl:mixin:APP:quark.mixins.json:EntityMixin,pl:mixin:APP:uniquebase.mixins.json:common.entity.EntityMixin,pl:mixin:APP:uniquebase.mixins.json:common.entity.EntityMixinP,pl:mixin:A}     at net.minecraft.world.entity.LivingEntity.m_8119_(LivingEntity.java:2252) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:computing_frames,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:caelus.mixins.json:MixinLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.MixinLivingEntity,pl:mixin:APP:apotheosis.mixins.json:LivingEntityMixin,pl:mixin:APP:apotheosis.mixins.json:LivingEntityInvoker,pl:mixin:APP:relics.mixins.json:MixinLivingEntity,pl:mixin:APP:betterdeserttemples.mixins.json:PharaohKilledMixin,pl:mixin:APP:ars_nouveau.mixins.json:elytra.MixinLivingEntity,pl:mixin:APP:ars_nouveau.mixins.json:perks.PerkLivingEntity,pl:mixin:APP:curios.mixins.json:MixinLivingEntity,pl:mixin:APP:quark.mixins.json:accessor.AccessorLivingEntity,pl:mixin:APP:uniquebase.mixins.json:common.entity.LivingEntityMixin,pl:mixin:APP:enigmaticlegacy.mixins.json:MixinLivingEntity,pl:mixin:A}     at net.minecraft.world.entity.Mob.m_8119_(Mob.java:316) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorMob,pl:mixin:APP:ars_nouveau.mixins.json:jar.MobAccessorMixin,pl:mixin:A}     at net.minecraft.world.entity.animal.Wolf.m_8119_(Wolf.java:190) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:classloading}     at net.minecraft.server.level.ServerLevel.m_8647_(ServerLevel.java:658) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:betterdeserttemples.mixins.json:ServerLevelMixin,pl:mixin:APP:ars_elemental.mixins.json:ServerLevelMixin,pl:mixin:APP:byg.mixins.json:common.world.MixinServerLevel,pl:mixin:A}     at net.minecraft.world.level.Level.m_46653_(Level.java:457) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at net.minecraft.server.level.ServerLevel.m_184063_(ServerLevel.java:323) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:betterdeserttemples.mixins.json:ServerLevelMixin,pl:mixin:APP:ars_elemental.mixins.json:ServerLevelMixin,pl:mixin:APP:byg.mixins.json:common.world.MixinServerLevel,pl:mixin:A}     at net.minecraft.world.level.entity.EntityTickList.m_156910_(EntityTickList.java:54) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:classloading}     at net.minecraft.server.level.ServerLevel.m_8793_(ServerLevel.java:303) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:betterdeserttemples.mixins.json:ServerLevelMixin,pl:mixin:APP:ars_elemental.mixins.json:ServerLevelMixin,pl:mixin:APP:byg.mixins.json:common.world.MixinServerLevel,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_5703_(MinecraftServer.java:866) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_5705_(MinecraftServer.java:806) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at net.minecraft.client.server.IntegratedServer.m_5705_(IntegratedServer.java:84) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:classloading,pl:runtimedistcleaner:A}     at net.minecraft.server.MinecraftServer.m_130011_(MinecraftServer.java:654) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_206580_(MinecraftServer.java:244) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at java.lang.Thread.run(Thread.java:833) [?:?] {re:mixin} Caused by: org.spongepowered.asm.mixin.throwables.MixinApplyError: Mixin [uniquebase.mixins.json:common.enchantments.EnchantmentHelperMixin] from phase [DEFAULT] in config [uniquebase.mixins.json] FAILED during APPLY     at org.spongepowered.asm.mixin.transformer.MixinProcessor.handleMixinError(MixinProcessor.java:636) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.MixinProcessor.handleMixinApplyError(MixinProcessor.java:588) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.MixinProcessor.applyMixins(MixinProcessor.java:379) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     ... 31 more Caused by: org.spongepowered.asm.mixin.injection.throwables.InvalidInjectionException: InjectionPoint(Shift)[@At("TAIL")] on net/minecraft/world/item/enchantment/EnchantmentHelper::removeApexEnchantments with priority 1000 cannot inject into net/minecraft/world/item/enchantment/EnchantmentHelper::m_44817_(ILnet/minecraft/world/item/ItemStack;Z)Ljava/util/List; merged by shadows.apotheosis.mixin.EnchantmentHelperMixin with priority 1000 [PREINJECT Applicator Phase -> uniquebase.mixins.json:common.enchantments.EnchantmentHelperMixin -> Prepare Injections ->  -> handler$zol000$removeApexEnchantments(ILnet/minecraft/world/item/ItemStack;ZLorg/spongepowered/asm/mixin/injection/callback/CallbackInfoReturnable;Ljava/util/List;)V -> Prepare]     at org.spongepowered.asm.mixin.injection.code.Injector.findTargetNodes(Injector.java:305) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.injection.code.Injector.find(Injector.java:240) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.injection.struct.InjectionInfo.prepare(InjectionInfo.java:421) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.MixinTargetContext.prepareInjections(MixinTargetContext.java:1319) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.MixinApplicatorStandard.prepareInjections(MixinApplicatorStandard.java:1042) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.MixinApplicatorStandard.applyMixin(MixinApplicatorStandard.java:393) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.MixinApplicatorStandard.apply(MixinApplicatorStandard.java:325) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.TargetClassContext.apply(TargetClassContext.java:383) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.TargetClassContext.applyMixins(TargetClassContext.java:365) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.MixinProcessor.applyMixins(MixinProcessor.java:363) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     ... 31 more A detailed walkthrough of the error, its code path and all known details is as follows: --------------------------------------------------------------------------------------- -- Head -- Thread: Server thread Stacktrace:     at org.spongepowered.asm.mixin.transformer.MixinProcessor.applyMixins(MixinProcessor.java:392) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.mixin.transformer.MixinTransformer.transformClass(MixinTransformer.java:250) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.service.modlauncher.MixinTransformationHandler.processClass(MixinTransformationHandler.java:131) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at org.spongepowered.asm.launch.MixinLaunchPluginLegacy.processClass(MixinLaunchPluginLegacy.java:131) ~[mixin-0.8.5.jar:0.8.5+Jenkins-b310.git-155314e6e91465dad727e621a569906a410cd6f4] {}     at cpw.mods.modlauncher.serviceapi.ILaunchPluginService.processClassWithFlags(ILaunchPluginService.java:156) ~[modlauncher-10.0.8.jar:10.0.8+10.0.8+main.0ef7e830] {}     at cpw.mods.modlauncher.LaunchPluginHandler.offerClassNodeToPlugins(LaunchPluginHandler.java:88) ~[modlauncher-10.0.8.jar:?] {}     at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:120) ~[modlauncher-10.0.8.jar:?] {}     at cpw.mods.modlauncher.TransformingClassLoader.maybeTransformClassBytes(TransformingClassLoader.java:50) ~[modlauncher-10.0.8.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.readerToClass(ModuleClassLoader.java:113) ~[securejarhandler-2.1.4.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.lambda$findClass$15(ModuleClassLoader.java:219) ~[securejarhandler-2.1.4.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.loadFromModule(ModuleClassLoader.java:229) ~[securejarhandler-2.1.4.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.findClass(ModuleClassLoader.java:219) ~[securejarhandler-2.1.4.jar:?] {}     at cpw.mods.cl.ModuleClassLoader.loadClass(ModuleClassLoader.java:135) ~[securejarhandler-2.1.4.jar:?] {}     at java.lang.ClassLoader.loadClass(ClassLoader.java:520) ~[?:?] {}     at net.minecraft.world.entity.LivingEntity.m_5806_(LivingEntity.java:508) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:computing_frames,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:caelus.mixins.json:MixinLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.MixinLivingEntity,pl:mixin:APP:apotheosis.mixins.json:LivingEntityMixin,pl:mixin:APP:apotheosis.mixins.json:LivingEntityInvoker,pl:mixin:APP:relics.mixins.json:MixinLivingEntity,pl:mixin:APP:betterdeserttemples.mixins.json:PharaohKilledMixin,pl:mixin:APP:ars_nouveau.mixins.json:elytra.MixinLivingEntity,pl:mixin:APP:ars_nouveau.mixins.json:perks.PerkLivingEntity,pl:mixin:APP:curios.mixins.json:MixinLivingEntity,pl:mixin:APP:quark.mixins.json:accessor.AccessorLivingEntity,pl:mixin:APP:uniquebase.mixins.json:common.entity.LivingEntityMixin,pl:mixin:APP:enigmaticlegacy.mixins.json:MixinLivingEntity,pl:mixin:A}     at net.minecraft.world.entity.LivingEntity.m_6075_(LivingEntity.java:375) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:computing_frames,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:caelus.mixins.json:MixinLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.MixinLivingEntity,pl:mixin:APP:apotheosis.mixins.json:LivingEntityMixin,pl:mixin:APP:apotheosis.mixins.json:LivingEntityInvoker,pl:mixin:APP:relics.mixins.json:MixinLivingEntity,pl:mixin:APP:betterdeserttemples.mixins.json:PharaohKilledMixin,pl:mixin:APP:ars_nouveau.mixins.json:elytra.MixinLivingEntity,pl:mixin:APP:ars_nouveau.mixins.json:perks.PerkLivingEntity,pl:mixin:APP:curios.mixins.json:MixinLivingEntity,pl:mixin:APP:quark.mixins.json:accessor.AccessorLivingEntity,pl:mixin:APP:uniquebase.mixins.json:common.entity.LivingEntityMixin,pl:mixin:APP:enigmaticlegacy.mixins.json:MixinLivingEntity,pl:mixin:A}     at net.minecraft.world.entity.Mob.m_6075_(Mob.java:250) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorMob,pl:mixin:APP:ars_nouveau.mixins.json:jar.MobAccessorMixin,pl:mixin:A}     at net.minecraft.world.entity.Entity.m_8119_(Entity.java:417) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:computing_frames,pl:accesstransformer:B,re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorEntity,pl:mixin:APP:relics.mixins.json:MixinEntity,pl:mixin:APP:ars_nouveau.mixins.json:light.LightEntityMixin,pl:mixin:APP:curios.mixins.json:AccessorEntity,pl:mixin:APP:quark.mixins.json:EntityMixin,pl:mixin:APP:uniquebase.mixins.json:common.entity.EntityMixin,pl:mixin:APP:uniquebase.mixins.json:common.entity.EntityMixinP,pl:mixin:A}     at net.minecraft.world.entity.LivingEntity.m_8119_(LivingEntity.java:2252) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:computing_frames,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:caelus.mixins.json:MixinLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorLivingEntity,pl:mixin:APP:bookshelf.common.mixins.json:entity.MixinLivingEntity,pl:mixin:APP:apotheosis.mixins.json:LivingEntityMixin,pl:mixin:APP:apotheosis.mixins.json:LivingEntityInvoker,pl:mixin:APP:relics.mixins.json:MixinLivingEntity,pl:mixin:APP:betterdeserttemples.mixins.json:PharaohKilledMixin,pl:mixin:APP:ars_nouveau.mixins.json:elytra.MixinLivingEntity,pl:mixin:APP:ars_nouveau.mixins.json:perks.PerkLivingEntity,pl:mixin:APP:curios.mixins.json:MixinLivingEntity,pl:mixin:APP:quark.mixins.json:accessor.AccessorLivingEntity,pl:mixin:APP:uniquebase.mixins.json:common.entity.LivingEntityMixin,pl:mixin:APP:enigmaticlegacy.mixins.json:MixinLivingEntity,pl:mixin:A}     at net.minecraft.world.entity.Mob.m_8119_(Mob.java:316) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:bookshelf.common.mixins.json:entity.AccessorMob,pl:mixin:APP:ars_nouveau.mixins.json:jar.MobAccessorMixin,pl:mixin:A}     at net.minecraft.world.entity.animal.Wolf.m_8119_(Wolf.java:190) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:classloading}     at net.minecraft.server.level.ServerLevel.m_8647_(ServerLevel.java:658) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:betterdeserttemples.mixins.json:ServerLevelMixin,pl:mixin:APP:ars_elemental.mixins.json:ServerLevelMixin,pl:mixin:APP:byg.mixins.json:common.world.MixinServerLevel,pl:mixin:A}     at net.minecraft.world.level.Level.m_46653_(Level.java:457) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at net.minecraft.server.level.ServerLevel.m_184063_(ServerLevel.java:323) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:betterdeserttemples.mixins.json:ServerLevelMixin,pl:mixin:APP:ars_elemental.mixins.json:ServerLevelMixin,pl:mixin:APP:byg.mixins.json:common.world.MixinServerLevel,pl:mixin:A}     at net.minecraft.world.level.entity.EntityTickList.m_156910_(EntityTickList.java:54) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:classloading}     at net.minecraft.server.level.ServerLevel.m_8793_(ServerLevel.java:303) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:betterdeserttemples.mixins.json:ServerLevelMixin,pl:mixin:APP:ars_elemental.mixins.json:ServerLevelMixin,pl:mixin:APP:byg.mixins.json:common.world.MixinServerLevel,pl:mixin:A} -- Entity being ticked -- Details:     Entity Type: minecraft:wolf (net.minecraft.world.entity.animal.Wolf)     Entity ID: 5     Entity Name: Wolf     Entity's Exact location: 24.00, 72.00, 1.00     Entity's Block location: World: (24,72,1), Section: (at 8,8,1 in 1,4,0; chunk contains blocks 16,-64,0 to 31,319,15), Region: (0,0; contains chunks 0,0 to 31,31, blocks 0,-64,0 to 511,319,511)     Entity's Momentum: 0.00, 0.00, 0.00     Entity's Passengers: []     Entity's Vehicle: null Stacktrace:     at net.minecraft.world.level.Level.m_46653_(Level.java:457) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at net.minecraft.server.level.ServerLevel.m_184063_(ServerLevel.java:323) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:betterdeserttemples.mixins.json:ServerLevelMixin,pl:mixin:APP:ars_elemental.mixins.json:ServerLevelMixin,pl:mixin:APP:byg.mixins.json:common.world.MixinServerLevel,pl:mixin:A}     at net.minecraft.world.level.entity.EntityTickList.m_156910_(EntityTickList.java:54) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:classloading}     at net.minecraft.server.level.ServerLevel.m_8793_(ServerLevel.java:303) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:betterdeserttemples.mixins.json:ServerLevelMixin,pl:mixin:APP:ars_elemental.mixins.json:ServerLevelMixin,pl:mixin:APP:byg.mixins.json:common.world.MixinServerLevel,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_5703_(MinecraftServer.java:866) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_5705_(MinecraftServer.java:806) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at net.minecraft.client.server.IntegratedServer.m_5705_(IntegratedServer.java:84) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:classloading,pl:runtimedistcleaner:A}     at net.minecraft.server.MinecraftServer.m_130011_(MinecraftServer.java:654) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_206580_(MinecraftServer.java:244) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at java.lang.Thread.run(Thread.java:833) [?:?] {re:mixin} -- Affected level -- Details:     All players: 0 total; []     Chunk stats: 2209     Level dimension: minecraft:overworld     Level spawn location: World: (0,77,0), Section: (at 0,13,0 in 0,4,0; chunk contains blocks 0,-64,0 to 15,319,15), Region: (0,0; contains chunks 0,0 to 31,31, blocks 0,-64,0 to 511,319,511)     Level time: 1 game time, 1 day time     Level name: New World     Level game mode: Game mode: survival (ID 0). Hardcore: false. Cheats: false     Level weather: Rain time: 55390 (now: false), thunder time: 73253 (now: false)     Known server brands: forge     Level was modded: true     Level storage version: 0x04ABD - Anvil Stacktrace:     at net.minecraft.server.MinecraftServer.m_5703_(MinecraftServer.java:866) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_5705_(MinecraftServer.java:806) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at net.minecraft.client.server.IntegratedServer.m_5705_(IntegratedServer.java:84) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:classloading,pl:runtimedistcleaner:A}     at net.minecraft.server.MinecraftServer.m_130011_(MinecraftServer.java:654) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_206580_(MinecraftServer.java:244) ~[client-1.19.2-20220805.130853-srg.jar%23249!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:balm.mixins.json:MinecraftServerMixin,pl:mixin:APP:byg.mixins.json:access.MinecraftServerAccess,pl:mixin:APP:byg.mixins.json:server.MixinMinecraftServer,pl:mixin:A}     at java.lang.Thread.run(Thread.java:833) [?:?] {re:mixin} -- System Details -- Details:     Minecraft Version: 1.19.2     Minecraft Version ID: 1.19.2     Operating System: Windows 10 (amd64) version 10.0     Java Version: 17.0.3, Microsoft     Java VM Version: OpenJDK 64-Bit Server VM (mixed mode), Microsoft     Memory: 2616168144 bytes (2494 MiB) / 5586812928 bytes (5328 MiB) up to 8589934592 bytes (8192 MiB)     CPUs: 4     Processor Vendor: GenuineIntel     Processor Name: Intel(R) Core(TM) i3-6100U CPU @ 2.30GHz     Identifier: Intel64 Family 6 Model 78 Stepping 3     Microarchitecture: Skylake (Client)     Frequency (GHz): 2.30     Number of physical packages: 1     Number of physical CPUs: 2     Number of logical CPUs: 4     Graphics card #0 name: Intel(R) HD Graphics 520     Graphics card #0 vendor: Intel Corporation (0x8086)     Graphics card #0 VRAM (MB): 1024.00     Graphics card #0 deviceId: 0x1916     Graphics card #0 versionInfo: DriverVersion=31.0.101.2115     Memory slot #0 capacity (MB): 8192.00     Memory slot #0 clockSpeed (GHz): 1.60     Memory slot #0 type: DDR3     Memory slot #1 capacity (MB): 8192.00     Memory slot #1 clockSpeed (GHz): 1.60     Memory slot #1 type: DDR3     Virtual memory max (MB): 24139.91     Virtual memory used (MB): 11406.61     Swap memory total (MB): 7936.00     Swap memory used (MB): 186.34     JVM Flags: 4 total; -XX:HeapDumpPath=MojangTricksIntelDriversForPerformance_javaw.exe_minecraft.exe.heapdump -Xss1M -Xmx8192m -Xms2048m     Server Running: true     Player Count: 0 / 8; []     Data Packs: vanilla, mod:maenchants (incompatible), mod:betterdungeons, mod:fullbrightnesstoggle, mod:betterwitchhuts, mod:jei (incompatible), mod:betteroceanmonuments, mod:libraryferret, mod:caelus (incompatible), mod:waystones (incompatible), mod:clumps (incompatible), mod:journeymap (incompatible), mod:placebo (incompatible), mod:yungsapi, mod:bookshelf (incompatible), mod:uteamcore, mod:relics (incompatible), mod:apotheosis (incompatible), mod:betterdeserttemples, mod:uniqueapex (incompatible), mod:balm (incompatible), mod:biggerstacks (incompatible), mod:jeresources, mod:forge, mod:craftingtweaks (incompatible), mod:usefulbackpacks, mod:enchdesc (incompatible), mod:terrablender, mod:mousetweaks, mod:silentlib (incompatible), mod:silentgear, mod:yungsbridges, mod:curios, mod:reliquary (incompatible), mod:patchouli (incompatible), mod:ars_nouveau, mod:collective, mod:uniquee (incompatible), mod:autoreglib (incompatible), mod:quark (incompatible), mod:oreexcavation (incompatible), mod:ars_elemental, mod:yungsextras, mod:bettervillage, mod:betterstrongholds, mod:enigmaticlegacy (incompatible), mod:appleskin, mod:byg, mod:ilikewood (incompatible), mod:silentgems (incompatible), mod:ilikewoodxbyg (incompatible), mod:bettermineshafts, mod:uniquebase (incompatible), mod:better_respawn (incompatible), ilikewood:axes-byg, ilikewood:axes-ilikewood, ilikewood:barrels-byg, ilikewood:barrels-ilikewood, ilikewood:beds-byg, ilikewood:beds-ilikewood, ilikewood:bookshelves-byg, ilikewood:bookshelves-ilikewood, ilikewood:bows-byg, ilikewood:bows-ilikewood, ilikewood:campfires-byg, ilikewood:campfires-ilikewood, ilikewood:chairs-byg, ilikewood:chairs-ilikewood, ilikewood:chests-byg, ilikewood:chests-ilikewood, ilikewood:composters-byg, ilikewood:composters-ilikewood, ilikewood:crafting_tables-byg, ilikewood:crafting_tables-ilikewood, ilikewood:crates-byg, ilikewood:crates-ilikewood, ilikewood:crossbows-byg, ilikewood:crossbows-ilikewood, ilikewood:fishing_rods-byg, ilikewood:fishing_rods-ilikewood, ilikewood:hoes-byg, ilikewood:hoes-ilikewood, ilikewood:item_frames-byg, ilikewood:item_frames-ilikewood, ilikewood:ladders-byg, ilikewood:ladders-ilikewood, ilikewood:lecterns-byg, ilikewood:lecterns-ilikewood, ilikewood:log_piles-byg, ilikewood:log_piles-ilikewood, ilikewood:paintings-byg, ilikewood:paintings-ilikewood, ilikewood:panels-byg, ilikewood:panels-ilikewood, ilikewood:panels_slabs-byg, ilikewood:panels_slabs-ilikewood, ilikewood:panels_stairs-byg, ilikewood:panels_stairs-ilikewood, ilikewood:pickaxes-byg, ilikewood:pickaxes-ilikewood, ilikewood:posts-byg, ilikewood:posts-ilikewood, ilikewood:sawmills-byg, ilikewood:sawmills-ilikewood, ilikewood:scaffoldings-byg, ilikewood:scaffoldings-ilikewood, ilikewood:shovels-byg, ilikewood:shovels-ilikewood, ilikewood:single_dressers-byg, ilikewood:single_dressers-ilikewood, ilikewood:sticks-byg, ilikewood:sticks-ilikewood, ilikewood:stools-byg, ilikewood:stools-ilikewood, ilikewood:swords-byg, ilikewood:swords-ilikewood, ilikewood:tables-byg, ilikewood:tables-ilikewood, ilikewood:torches-byg, ilikewood:torches-ilikewood, ilikewood:walls-byg, ilikewood:walls-ilikewood     World Generation: Stable     Type: Integrated Server (map_client.txt)     Is Modded: Definitely; Client brand changed to 'forge'; Server brand changed to 'forge'     Launched Version: forge-43.2.0     ModLauncher: 10.0.8+10.0.8+main.0ef7e830     ModLauncher launch target: forgeclient     ModLauncher naming: srg     ModLauncher services:          mixin-0.8.5.jar mixin PLUGINSERVICE          eventbus-6.0.3.jar eventbus PLUGINSERVICE          fmlloader-1.19.2-43.2.0.jar slf4jfixer PLUGINSERVICE          fmlloader-1.19.2-43.2.0.jar object_holder_definalize PLUGINSERVICE          fmlloader-1.19.2-43.2.0.jar runtime_enum_extender PLUGINSERVICE          fmlloader-1.19.2-43.2.0.jar capability_token_subclass PLUGINSERVICE          accesstransformers-8.0.4.jar accesstransformer PLUGINSERVICE          fmlloader-1.19.2-43.2.0.jar runtimedistcleaner PLUGINSERVICE          modlauncher-10.0.8.jar mixin TRANSFORMATIONSERVICE          modlauncher-10.0.8.jar fml TRANSFORMATIONSERVICE      FML Language Providers:          minecraft@1.0         lowcodefml@null         javafml@null     Mod List:          maenchants-1.19.2-6.0.0.jar                       |Ma Enchants                   |maenchants                    |1.19.2-6.0.0        |DONE      |Manifest: NOSIGNATURE         YungsBetterDungeons-1.19.2-Forge-3.2.2.jar        |YUNG's Better Dungeons        |betterdungeons                |1.19.2-Forge-3.2.2  |DONE      |Manifest: NOSIGNATURE         fullbrightnesstoggle-1.19.2-3.0.jar               |Full Brightness Toggle        |fullbrightnesstoggle          |3.0                 |DONE      |Manifest: NOSIGNATURE         YungsBetterWitchHuts-1.19.2-Forge-2.1.0.jar       |YUNG's Better Witch Huts      |betterwitchhuts               |1.19.2-Forge-2.1.0  |DONE      |Manifest: NOSIGNATURE         jei-1.19.2-forge-11.6.0.1013.jar                  |Just Enough Items             |jei                           |11.6.0.1013         |DONE      |Manifest: NOSIGNATURE         YungsBetterOceanMonuments-1.19.2-Forge-2.1.0.jar  |YUNG's Better Ocean Monuments |betteroceanmonuments          |1.19.2-Forge-2.1.0  |DONE      |Manifest: NOSIGNATURE         libraryferret-forge-1.19.2-4.0.0.jar              |Library ferret                |libraryferret                 |4.0.0               |DONE      |Manifest: NOSIGNATURE         caelus-forge-1.19.2-3.0.0.6.jar                   |Caelus API                    |caelus                        |1.19.2-3.0.0.6      |DONE      |Manifest: NOSIGNATURE         waystones-forge-1.19.2-11.3.1.jar                 |Waystones                     |waystones                     |11.3.1              |DONE      |Manifest: NOSIGNATURE         Clumps-forge-1.19.2-9.0.0+14.jar                  |Clumps                        |clumps                        |9.0.0+14            |DONE      |Manifest: NOSIGNATURE         journeymap-1.19.2-5.9.4-forge.jar                 |Journeymap                    |journeymap                    |5.9.4               |DONE      |Manifest: NOSIGNATURE         Placebo-1.19.2-7.1.5.jar                          |Placebo                       |placebo                       |7.1.5               |DONE      |Manifest: NOSIGNATURE         YungsApi-1.19.2-Forge-3.8.9.jar                   |YUNG's API                    |yungsapi                      |1.19.2-Forge-3.8.9  |DONE      |Manifest: NOSIGNATURE         Bookshelf-Forge-1.19.2-16.2.18.jar                |Bookshelf                     |bookshelf                     |16.2.18             |DONE      |Manifest: eb:c4:b1:67:8b:f9:0c:db:dc:4f:01:b1:8e:61:64:39:4c:10:85:0b:a6:c4:c7:48:f0:fa:95:f2:cb:08:3a:e5         u_team_core-1.19.2-4.4.3.236.jar                  |U Team Core                   |uteamcore                     |4.4.3.236           |DONE      |Manifest: f4:a6:0b:ee:cb:8a:1a:ea:9f:9d:45:91:8f:8b:b3:ae:26:f3:bf:05:86:1d:90:9e:f6:32:2a:1a:ed:1d:ce:b0         relics-1.19.2-0.4.2.2.jar                         |Relics                        |relics                        |0.4.2.2             |DONE      |Manifest: NOSIGNATURE         Apotheosis-1.19.2-6.1.2.jar                       |Apotheosis                    |apotheosis                    |6.1.2               |DONE      |Manifest: NOSIGNATURE         YungsBetterDesertTemples-1.19.2-Forge-2.2.2.jar   |YUNG's Better Desert Temples  |betterdeserttemples           |1.19.2-Forge-2.2.2  |DONE      |Manifest: NOSIGNATURE         Unique Enchantments Apex-1.19.2-3.0.1.jar         |Unique Apex Enchantments      |uniqueapex                    |3.0.1               |DONE      |Manifest: NOSIGNATURE         balm-forge-1.19.2-4.5.7.jar                       |Balm                          |balm                          |4.5.7               |DONE      |Manifest: NOSIGNATURE         biggerstacks-1.19.2-3.6.jar                       |Bigger Stacks                 |biggerstacks                  |1.19.2-3.6          |DONE      |Manifest: NOSIGNATURE         JustEnoughResources-1.19.2-1.2.2.200.jar          |Just Enough Resources         |jeresources                   |1.2.2.200           |DONE      |Manifest: NOSIGNATURE         forge-1.19.2-43.2.0-universal.jar                 |Forge                         |forge                         |43.2.0              |DONE      |Manifest: 84:ce:76:e8:45:35:e4:0e:63:86:df:47:59:80:0f:67:6c:c1:5f:6e:5f:4d:b3:54:47:1a:9f:7f:ed:5e:f2:90         craftingtweaks-forge-1.19-15.1.6.jar              |CraftingTweaks                |craftingtweaks                |15.1.6              |DONE      |Manifest: NOSIGNATURE         client-1.19.2-20220805.130853-srg.jar             |Minecraft                     |minecraft                     |1.19.2              |DONE      |Manifest: a1:d4:5e:04:4f:d3:d6:e0:7b:37:97:cf:77:b0:de:ad:4a:47:ce:8c:96:49:5f:0a:cf:8c:ae:b2:6d:4b:8a:3f         useful_backpacks-1.19.2-1.14.1.107.jar            |Useful Backpacks              |usefulbackpacks               |1.14.1.107          |DONE      |Manifest: f4:a6:0b:ee:cb:8a:1a:ea:9f:9d:45:91:8f:8b:b3:ae:26:f3:bf:05:86:1d:90:9e:f6:32:2a:1a:ed:1d:ce:b0         EnchantmentDescriptions-Forge-1.19.2-13.0.14.jar  |EnchantmentDescriptions       |enchdesc                      |13.0.14             |DONE      |Manifest: eb:c4:b1:67:8b:f9:0c:db:dc:4f:01:b1:8e:61:64:39:4c:10:85:0b:a6:c4:c7:48:f0:fa:95:f2:cb:08:3a:e5         TerraBlender-forge-1.19.2-2.0.1.128.jar           |TerraBlender                  |terrablender                  |2.0.1.128           |DONE      |Manifest: NOSIGNATURE         MouseTweaks-forge-mc1.19-2.23.jar                 |Mouse Tweaks                  |mousetweaks                   |2.23                |DONE      |Manifest: NOSIGNATURE         silent-lib-1.19.2-7.0.3.jar                       |Silent Lib                    |silentlib                     |7.0.3               |DONE      |Manifest: NOSIGNATURE         silent-gear-1.19.2-3.2.2.jar                      |Silent Gear                   |silentgear                    |3.2.2               |DONE      |Manifest: NOSIGNATURE         YungsBridges-1.19.2-Forge-3.1.0.jar               |YUNG's Bridges                |yungsbridges                  |1.19.2-Forge-3.1.0  |DONE      |Manifest: NOSIGNATURE         curios-forge-1.19.2-5.1.3.0.jar                   |Curios API                    |curios                        |1.19.2-5.1.3.0      |DONE      |Manifest: NOSIGNATURE         reliquary-1.19.2-2.0.20.1166.jar                  |Reliquary                     |reliquary                     |1.19.2-2.0.20.1166  |DONE      |Manifest: NOSIGNATURE         Patchouli-1.19.2-77.jar                           |Patchouli                     |patchouli                     |1.19.2-77           |DONE      |Manifest: NOSIGNATURE         ars_nouveau-1.19.2-3.12.3.jar                     |Ars Nouveau                   |ars_nouveau                   |3.12.3              |DONE      |Manifest: NOSIGNATURE         collective-1.19.2-6.53.jar                        |Collective                    |collective                    |6.53                |DONE      |Manifest: NOSIGNATURE         Unique Enchantments-1.19.2-4.0.2.1.jar            |Unique Enchantments           |uniquee                       |4.0.2.1             |DONE      |Manifest: NOSIGNATURE         AutoRegLib-1.8.2-55.jar                           |AutoRegLib                    |autoreglib                    |1.8.2-55            |DONE      |Manifest: NOSIGNATURE         Quark-3.4-394.jar                                 |Quark                         |quark                         |3.4-394             |DONE      |Manifest: NOSIGNATURE         OreExcavation-1.11.166.jar                        |OreExcavation                 |oreexcavation                 |1.11.166            |DONE      |Manifest: NOSIGNATURE         ars_elemental-1.19.2-0.5.8.2.jar                  |Ars Elemental                 |ars_elemental                 |1.19.2-0.5.8.2      |DONE      |Manifest: NOSIGNATURE         YungsExtras-1.19.2-Forge-3.1.0.jar                |YUNG's Extras                 |yungsextras                   |1.19.2-Forge-3.1.0  |DONE      |Manifest: NOSIGNATURE         bettervillage-forge-1.19.2-2.1.0.jar              |Better village                |bettervillage                 |2.1.0               |DONE      |Manifest: NOSIGNATURE         YungsBetterStrongholds-1.19.2-Forge-3.2.0.jar     |YUNG's Better Strongholds     |betterstrongholds             |1.19.2-Forge-3.2.0  |DONE      |Manifest: NOSIGNATURE         EnigmaticLegacy-2.26.5.jar                        |Enigmatic Legacy              |enigmaticlegacy               |2.26.5              |DONE      |Manifest: NOSIGNATURE         appleskin-forge-mc1.19-2.4.2.jar                  |AppleSkin                     |appleskin                     |2.4.2+mc1.19        |DONE      |Manifest: NOSIGNATURE         Oh_The_Biomes_You'll_Go-forge-1.19.2-2.0.0.13.jar |Oh The Biomes You'll Go       |byg                           |2.0.0.13            |DONE      |Manifest: NOSIGNATURE         ilikewood-1.19.2-10.2.0.0.jar                     |I Like Wood                   |ilikewood                     |1.19.2-10.2.0.0     |DONE      |Manifest: NOSIGNATURE         silents-gems-1.19.2-4.4.2.jar                     |Silent's Gems: Base           |silentgems                    |4.4.2               |DONE      |Manifest: NOSIGNATURE         ilikewoodxbyg-1.19.2-10.2.0.jar                   |I Like Wood - Oh The Biomes Yo|ilikewoodxbyg                 |1.19.2-10.2.0       |DONE      |Manifest: NOSIGNATURE         YungsBetterMineshafts-1.19.2-Forge-3.2.0.jar      |YUNG's Better Mineshafts      |bettermineshafts              |1.19.2-Forge-3.2.0  |DONE      |Manifest: NOSIGNATURE         Unique Enchantments Base-1.19.2-3.0.2.1.jar       |Unique Enchantments Base      |uniquebase                    |3.0.2.1             |DONE      |Manifest: NOSIGNATURE         better-respawn-forge-1.19.2-2.0.1.jar             |Better Respawn                |better_respawn                |1.19.2-2.0.1        |DONE      |Manifest: NOSIGNATURE     Crash Report UUID: 3873c5e7-6efa-4569-95bd-25959cad40ef     FML: 43.2     Forge: net.minecraftforge:43.2.0
    • ---- Minecraft Crash Report ---- WARNING: coremods are present:   TransformLoader (DynamicSurroundings-1.12.2-3.6.1.0.jar)   RandomPatches (randompatches-1.12.2-1.22.1.10.jar)   ForgelinPlugin (Forgelin-1.8.4.jar)   OpenModsCorePlugin (OpenModsLib-1.12.2-0.12.2.jar)   XaeroMinimapPlugin (Xaeros_Minimap_22.14.0_Forge_1.12.jar)   BewitchmentFMLLoadingPlugin (bewitchment-1.12.2-0.0.22.64.jar)   ObfuscatePlugin (obfuscate-0.4.2-1.12.2.jar)   CTMCorePlugin (CTM-MC1.12.2-1.0.2.31.jar)   Aqua Acrobatics Transformer (AquaAcrobatics-v1.3.5-1.12.2.jar)   ShutdownPatcher (mcef-1.12.2-1.11b-coremod.jar)   llibrary (llibrary-core-1.0.11-1.12.2.jar)   Inventory Tweaks Coremod (InventoryTweaks-1.63.jar)   ShetiPhian-ASM (ShetiPhian-ASM-1.12.0.jar)   SecretRoomsMod-Core (secretroomsmod-1.12.2-5.6.4.jar)   Techguns Core (techguns-1.12.2-2.0.2.0_pre3.2.jar)   CoreMod (Aroma1997Core-1.12.2-2.0.0.2.jar) Contact their authors BEFORE contacting forge // Surprise! Haha. Well, this is awkward. Time: 3/21/23 2:44 PM Description: Unexpected error java.lang.NullPointerException: Unexpected error     at codechicken.multipart.TileMultipart$$anonfun$checkNoEntityCollision$1.apply(TileMultipart.scala:685)     at codechicken.multipart.TileMultipart$$anonfun$checkNoEntityCollision$1.apply(TileMultipart.scala:685)     at scala.collection.Iterator$class.forall(Iterator.scala:755)     at scala.collection.AbstractIterator.forall(Iterator.scala:1174)     at scala.collection.IterableLike$class.forall(IterableLike.scala:75)     at scala.collection.AbstractIterable.forall(Iterable.scala:54)     at codechicken.multipart.TileMultipart$.checkNoEntityCollision(TileMultipart.scala:685)     at codechicken.multipart.TileMultipart$.canPlacePart(TileMultipart.scala:692)     at codechicken.microblock.MicroblockPlacement.externalPlacement(MicroblockPlacement.scala:145)     at codechicken.microblock.MicroblockPlacement.externalPlacement(MicroblockPlacement.scala:141)     at codechicken.microblock.MicroblockPlacement.apply(MicroblockPlacement.scala:115)     at codechicken.microblock.MicroblockPlacement$.apply(MicroblockPlacement.scala:56)     at codechicken.microblock.MicroblockRender$.renderHighlight(MicroblockRender.scala:24)     at codechicken.microblock.MicroMaterialRegistry$.renderHighlight(MicroMaterialRegistry.scala:251)     at codechicken.microblock.ItemMicroPartRenderer$.renderHighlight(ItemMicroPart.scala:197)     at codechicken.microblock.handler.MicroblockEventHandler$.drawBlockHighlight(MicroblockEventHandler.scala:29)     at net.minecraftforge.fml.common.eventhandler.ASMEventHandler_678_MicroblockEventHandler$_drawBlockHighlight_DrawBlockHighlightEvent.invoke(.dynamic)     at net.minecraftforge.fml.common.eventhandler.ASMEventHandler.invoke(ASMEventHandler.java:90)     at net.minecraftforge.fml.common.eventhandler.EventBus.post(EventBus.java:182)     at net.minecraftforge.client.ForgeHooksClient.onDrawBlockHighlight(ForgeHooksClient.java:191)     at net.minecraft.client.renderer.EntityRenderer.func_175068_a(EntityRenderer.java:1361)     at net.minecraft.client.renderer.EntityRenderer.func_78471_a(EntityRenderer.java:1259)     at net.minecraft.client.renderer.EntityRenderer.func_181560_a(EntityRenderer.java:1062)     at net.minecraft.client.Minecraft.func_71411_J(Minecraft.java:1119)     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:398)     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) A detailed walkthrough of the error, its code path and all known details is as follows: --------------------------------------------------------------------------------------- -- Head -- Thread: Client thread Stacktrace:     at codechicken.multipart.TileMultipart$$anonfun$checkNoEntityCollision$1.apply(TileMultipart.scala:685)     at codechicken.multipart.TileMultipart$$anonfun$checkNoEntityCollision$1.apply(TileMultipart.scala:685)     at scala.collection.Iterator$class.forall(Iterator.scala:755)     at scala.collection.AbstractIterator.forall(Iterator.scala:1174)     at scala.collection.IterableLike$class.forall(IterableLike.scala:75)     at scala.collection.AbstractIterable.forall(Iterable.scala:54)     at codechicken.multipart.TileMultipart$.checkNoEntityCollision(TileMultipart.scala:685)     at codechicken.multipart.TileMultipart$.canPlacePart(TileMultipart.scala:692)     at codechicken.microblock.MicroblockPlacement.externalPlacement(MicroblockPlacement.scala:145)     at codechicken.microblock.MicroblockPlacement.externalPlacement(MicroblockPlacement.scala:141)     at codechicken.microblock.MicroblockPlacement.apply(MicroblockPlacement.scala:115)     at codechicken.microblock.MicroblockPlacement$.apply(MicroblockPlacement.scala:56)     at codechicken.microblock.MicroblockRender$.renderHighlight(MicroblockRender.scala:24)     at codechicken.microblock.MicroMaterialRegistry$.renderHighlight(MicroMaterialRegistry.scala:251)     at codechicken.microblock.ItemMicroPartRenderer$.renderHighlight(ItemMicroPart.scala:197)     at codechicken.microblock.handler.MicroblockEventHandler$.drawBlockHighlight(MicroblockEventHandler.scala:29)     at net.minecraftforge.fml.common.eventhandler.ASMEventHandler_678_MicroblockEventHandler$_drawBlockHighlight_DrawBlockHighlightEvent.invoke(.dynamic)     at net.minecraftforge.fml.common.eventhandler.ASMEventHandler.invoke(ASMEventHandler.java:90)     at net.minecraftforge.fml.common.eventhandler.EventBus.post(EventBus.java:182)     at net.minecraftforge.client.ForgeHooksClient.onDrawBlockHighlight(ForgeHooksClient.java:191)     at net.minecraft.client.renderer.EntityRenderer.func_175068_a(EntityRenderer.java:1361)     at net.minecraft.client.renderer.EntityRenderer.func_78471_a(EntityRenderer.java:1259) -- Affected level -- Details:     Level name: MpServer     All players: 1 total; [EntityPlayerSP['sefiros029'/80, l='MpServer', x=4883.61, y=7.00, z=-251.49]]     Chunk stats: MultiplayerChunkCache: 264, 264     Level seed: 0     Level generator: ID 00 - default, ver 1. Features enabled: false     Level generator options:      Level spawn location: World: (252,64,252), Chunk: (at 12,4,12 in 15,15; contains blocks 240,0,240 to 255,255,255), Region: (0,0; contains chunks 0,0 to 31,31, blocks 0,0,0 to 511,255,511)     Level time: 3267434 game time, 3449458 day time     Level dimension: 0     Level storage version: 0x00000 - Unknown?     Level weather: Rain time: 0 (now: false), thunder time: 0 (now: false)     Level game mode: Game mode: survival (ID 0). Hardcore: false. Cheats: false     Forced entities: 56 total; [EntityBat['Bat'/128, l='MpServer', x=4806.76, y=45.34, z=-226.56], ZombieMiner['Zombie Miner'/129, l='MpServer', x=4841.66, y=32.00, z=-260.50], EntityBat['Bat'/130, l='MpServer', x=4833.90, y=36.14, z=-260.40], EntityCreeper['Creeper'/131, l='MpServer', x=4877.50, y=22.00, z=-308.50], EntitySheep['Sheep'/259, l='MpServer', x=4931.36, y=72.00, z=-190.34], ZombieMiner['Zombie Miner'/260, l='MpServer', x=4941.52, y=70.00, z=-185.14], ZombieSoldier['Zombie Soldier'/135, l='MpServer', x=4807.53, y=68.00, z=-250.77], Bandit['Bandit'/264, l='MpServer', x=4949.53, y=62.21, z=-233.48], SkeletonSoldier['Skeleton Soldier'/140, l='MpServer', x=4806.49, y=13.00, z=-263.67], ZombieSoldier['Zombie Soldier'/141, l='MpServer', x=4806.56, y=13.00, z=-262.76], EntityBat['Bat'/143, l='MpServer', x=4803.80, y=17.23, z=-262.47], ZombieMiner['Zombie Miner'/156, l='MpServer', x=4813.92, y=71.00, z=-274.50], EntityCreeper['Creeper'/161, l='MpServer', x=4855.20, y=77.00, z=-331.34], EntitySpider['Spider'/169, l='MpServer', x=4830.55, y=15.00, z=-325.53], SkeletonSoldier['Skeleton Soldier'/170, l='MpServer', x=4830.22, y=65.50, z=-325.51], EntitySpider['Spider'/184, l='MpServer', x=4891.50, y=19.00, z=-187.50], EntitySpider['Spider'/185, l='MpServer', x=4893.11, y=20.00, z=-190.65], EntityLabel['entity.label.name'/188, l='MpServer', x=4901.50, y=66.00, z=-214.50], EntitySculpture['SCP-173 (The Sculpture)'/189, l='MpServer', x=4901.30, y=65.00, z=-212.46], ZombieFarmer['Zombie Farmer'/190, l='MpServer', x=4956.45, y=67.00, z=-258.35], EntitySkeleton['Skeleton'/191, l='MpServer', x=4955.04, y=68.00, z=-270.96], ZombieFarmer['Zombie Farmer'/192, l='MpServer', x=4865.90, y=73.00, z=-178.83], EntityCreeper['Creeper'/195, l='MpServer', x=4963.36, y=65.00, z=-316.77], EntitySkeleton['Skeleton'/197, l='MpServer', x=4963.31, y=65.00, z=-317.78], ZombieFarmer['Zombie Farmer'/198, l='MpServer', x=4863.28, y=72.00, z=-178.76], ZombieFarmer['Zombie Farmer'/199, l='MpServer', x=4921.70, y=14.61, z=-285.30], PsychoSteve['Psycho Steve'/200, l='MpServer', x=4923.30, y=15.00, z=-273.30], ZombieFarmer['Zombie Farmer'/201, l='MpServer', x=4923.55, y=15.00, z=-274.06], ZombieMiner['Zombie Miner'/203, l='MpServer', x=4936.50, y=42.00, z=-291.50], ZombieSoldier['Zombie Soldier'/204, l='MpServer', x=4906.50, y=32.00, z=-252.49], Bandit['Bandit'/207, l='MpServer', x=4845.65, y=68.00, z=-191.29], EntityPigZombie['Zombie Pigman'/208, l='MpServer', x=4869.86, y=47.00, z=-244.14], EntityPlayerSP['sefiros029'/80, l='MpServer', x=4883.61, y=7.00, z=-251.49], EntityMudo['Rupter'/211, l='MpServer', x=4920.40, y=33.00, z=-292.57], ZombieFarmer['Zombie Farmer'/83, l='MpServer', x=4812.50, y=66.00, z=-326.50], EntityBat['Bat'/212, l='MpServer', x=4919.75, y=52.00, z=-289.25], EntityMudo['Rupter'/213, l='MpServer', x=4848.57, y=67.00, z=-211.21], EntityLatchedRenderer['unknown'/214, l='MpServer', x=8.50, y=65.00, z=8.50], EntityInvisibleChair['entity.invisibleChair.name'/215, l='MpServer', x=4870.50, y=54.50, z=-232.50], EntityInvisibleChair['entity.invisibleChair.name'/216, l='MpServer', x=4870.50, y=54.50, z=-233.50], EntityInvisibleChair['entity.invisibleChair.name'/217, l='MpServer', x=4870.50, y=54.50, z=-232.50], ZombieFarmer['Zombie Farmer'/236, l='MpServer', x=4921.30, y=16.46, z=-310.70], EntityBat['Bat'/237, l='MpServer', x=4907.33, y=50.10, z=-295.67], EntityCreeper['Creeper'/238, l='MpServer', x=4880.75, y=23.00, z=-302.50], EntityBat['Bat'/239, l='MpServer', x=4880.47, y=45.87, z=-296.46], EntityBat['Bat'/240, l='MpServer', x=4885.35, y=52.31, z=-302.25], EntityBat['Bat'/241, l='MpServer', x=4893.25, y=47.10, z=-306.25], ZombieFarmer['Zombie Farmer'/242, l='MpServer', x=4882.00, y=64.00, z=-306.64], EntityCreeper['Creeper'/243, l='MpServer', x=4877.93, y=27.18, z=-297.51], EntityBat['Bat'/244, l='MpServer', x=4875.25, y=45.91, z=-295.24], ZombieFarmer['Zombie Farmer'/122, l='MpServer', x=4826.50, y=68.00, z=-198.50], ZombieFarmer['Zombie Farmer'/123, l='MpServer', x=4832.09, y=69.00, z=-220.28], EntityBat['Bat'/124, l='MpServer', x=4840.78, y=21.05, z=-241.74], ZombieFarmer['Zombie Farmer'/125, l='MpServer', x=4849.50, y=75.00, z=-264.50], ZombieSoldier['Zombie Soldier'/126, l='MpServer', x=4827.72, y=43.00, z=-251.50], EntitySkeleton['Skeleton'/127, l='MpServer', x=4824.73, y=60.00, z=-242.50]]     Retry entities: 1 total; [EntityLatchedRenderer['unknown'/214, l='MpServer', x=8.50, y=65.00, z=8.50]]     Server brand: fml,forge     Server type: Integrated singleplayer server Stacktrace:     at net.minecraft.client.multiplayer.WorldClient.func_72914_a(WorldClient.java:420)     at net.minecraft.client.Minecraft.func_71396_d(Minecraft.java:2741)     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:427)     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) -- 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: 349547544 bytes (333 MB) / 2606759936 bytes (2486 MB) up to 3817865216 bytes (3641 MB)     JVM Flags: 3 total; -XX:HeapDumpPath=MojangTricksIntelDriversForPerformance_javaw.exe_minecraft.exe.heapdump -Xmx4096m -Xms256m     IntCache: cache: 0, tcache: 0, allocated: 12, tallocated: 94     FML: MCP 9.42 Powered by Forge 14.23.5.2855 79 mods loaded, 79 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                                |     |:------ |:--------------------- |:------------------------ |:----------------------------------------------- |:---------------------------------------- |     | LCHIJA | minecraft             | 1.12.2                   | minecraft.jar                                   | None                                     |     | LCHIJA | mcp                   | 9.42                     | minecraft.jar                                   | None                                     |     | LCHIJA | FML                   | 8.0.99.99                | forge-1.12.2-14.23.5.2855.jar                   | e3c3d50c7c986df74c645c0ac54639741c90a557 |     | LCHIJA | forge                 | 14.23.5.2855             | forge-1.12.2-14.23.5.2855.jar                   | e3c3d50c7c986df74c645c0ac54639741c90a557 |     | LCHIJA | xaerominimap_core     | 1.12.2-1.0               | minecraft.jar                                   | None                                     |     | LCHIJA | openmodscore          | 0.12.2                   | minecraft.jar                                   | None                                     |     | LCHIJA | obfuscate             | 0.4.2                    | minecraft.jar                                   | None                                     |     | LCHIJA | srm-hooks             | 1.12.2-1.0.0             | minecraft.jar                                   | None                                     |     | LCHIJA | randompatches         | 1.12.2-1.22.1.10         | randompatches-1.12.2-1.22.1.10.jar              | None                                     |     | LCHIJA | techguns_core         | 1.12.2-1.0               | minecraft.jar                                   | None                                     |     | LCHIJA | jei                   | 4.16.1.302               | jei_1.12.2-4.16.1.302.jar                       | None                                     |     | LCHIJA | abyssalcraft          | 1.10.3                   | AbyssalCraft-1.12.2-1.10.3.jar                  | 220f10d3a93b3ff5fbaa7434cc629d863d6751b9 |     | LCHIJA | ctm                   | MC1.12.2-1.0.2.31        | CTM-MC1.12.2-1.0.2.31.jar                       | None                                     |     | LCHIJA | appliedenergistics2   | rv6-stable-7             | appliedenergistics2-rv6-stable-7.jar            | dfa4d3ac143316c6f32aa1a1beda1e34d42132e5 |     | LCHIJA | aquaacrobatics        | 1.3.5                    | AquaAcrobatics-v1.3.5-1.12.2.jar                | None                                     |     | LCHIJA | aroma1997core         | 2.0.0.2                  | Aroma1997Core-1.12.2-2.0.0.2.jar                | dfbfe4c473253d8c5652417689848f650b2cbe32 |     | LCHIJA | aroma1997sdimension   | 2.0.0.2                  | Aroma1997s-Dimensional-World-1.12.2-2.0.0.2.jar | dfbfe4c473253d8c5652417689848f650b2cbe32 |     | LCHIJA | autoreglib            | 1.3-32                   | AutoRegLib-1.3-32.jar                           | None                                     |     | LCHIJA | baubles               | 1.5.2                    | Baubles-1.12-1.5.2.jar                          | None                                     |     | LCHIJA | bdlib                 | 1.14.3.12                | bdlib-1.14.3.12-mc1.12.2.jar                    | None                                     |     | LCHIJA | patchouli             | 1.0-23.6                 | Patchouli-1.0-23.6.jar                          | None                                     |     | LCHIJA | bewitchment           | 0.22.63                  | bewitchment-1.12.2-0.0.22.64.jar                | None                                     |     | LCHIJA | bibliocraft           | 2.4.5                    | BiblioCraft[v2.4.5][MC1.12.2].jar               | None                                     |     | LCHIJA | biomesoplenty         | 7.0.1.2441               | BiomesOPlenty-1.12.2-7.0.1.2441-universal.jar   | None                                     |     | LCHIJA | cctweaked             | 1.89.2                   | cc-tweaked-1.12.2-1.89.2.jar                    | None                                     |     | LCHIJA | computercraft         | 1.89.2                   | cc-tweaked-1.12.2-1.89.2.jar                    | None                                     |     | LCHIJA | chisel                | MC1.12.2-1.0.2.45        | Chisel-MC1.12.2-1.0.2.45.jar                    | None                                     |     | LCHIJA | chiselsandbits        | 14.33                    | chiselsandbits-14.33.jar                        | None                                     |     | LCHIJA | codechickenlib        | 3.2.3.358                | CodeChickenLib-1.12.2-3.2.3.358-universal.jar   | f1850c39b2516232a2108a7bd84d1cb5df93b261 |     | LCHIJA | cosmeticarmorreworked | 1.12.2-v5a               | CosmeticArmorReworked-1.12.2-v5a.jar            | aaaf83332a11df02406e9f266b1b65c1306f0f76 |     | LCHIJA | dimdoors              | 1.12.2-3.1.2+UNOFFICIAL  | DimensionalDoors-1.12.2-3.1.2-UNOFFICIAL.jar    | None                                     |     | LCHIJA | orelib                | 3.6.0.1                  | OreLib-1.12.2-3.6.0.1.jar                       | 7a2128d395ad96ceb9d9030fbd41d035b435753a |     | LCHIJA | dsurround             | 3.6.1.0                  | DynamicSurroundings-1.12.2-3.6.1.0.jar          | 7a2128d395ad96ceb9d9030fbd41d035b435753a |     | LCHIJA | enderstorage          | 2.4.6.137                | EnderStorage-1.12.2-2.4.6.137-universal.jar     | f1850c39b2516232a2108a7bd84d1cb5df93b261 |     | LCHIJA | shetiphiancore        | 3.5.9                    | shetiphiancore-1.12.0-3.5.9.jar                 | None                                     |     | LCHIJA | endertanks            | 1.6.8                    | endertanks-1.12.0-1.6.8.jar                     | None                                     |     | LCHIJA | epicsiegemod          | 13.167                   | EpicSiegeMod-13.167.jar                         | None                                     |     | LCHIJA | extrautils2           | 1.0                      | extrautils2-1.12-1.9.9.jar                      | None                                     |     | LCHIJA | zerocore              | 1.12.2-0.1.2.9           | zerocore-1.12.2-0.1.2.9.jar                     | None                                     |     | LCHIJA | bigreactors           | 1.12.2-0.4.5.68          | ExtremeReactors-1.12.2-0.4.5.68.jar             | None                                     |     | LCHIJA | forgelin              | 1.8.4                    | Forgelin-1.8.4.jar                              | None                                     |     | LCHIJA | forgemultipartcbe     | 2.6.2.83                 | ForgeMultipart-1.12.2-2.6.2.83-universal.jar    | f1850c39b2516232a2108a7bd84d1cb5df93b261 |     | LCHIJA | microblockcbe         | 2.6.2.83                 | ForgeMultipart-1.12.2-2.6.2.83-universal.jar    | None                                     |     | LCHIJA | minecraftmultipartcbe | 2.6.2.83                 | ForgeMultipart-1.12.2-2.6.2.83-universal.jar    | None                                     |     | LCHIJA | ichunutil             | 7.2.2                    | iChunUtil-1.12.2-7.2.2.jar                      | 4db5c2bd1b556f252a5b8b54b256d381b2a0a6b8 |     | LCHIJA | gravitygun            | 7.1.0                    | GravityGun-1.12.2-7.1.0.jar                     | 4db5c2bd1b556f252a5b8b54b256d381b2a0a6b8 |     | LCHIJA | cgm                   | 0.15.3                   | guns-0.15.3-1.12.2.jar                          | None                                     |     | LCHIJA | inventorytweaks       | 1.63+release.109.220f184 | InventoryTweaks-1.63.jar                        | 55d2cd4f5f0961410bf7b91ef6c6bf00a766dcbe |     | LCHIJA | jeiintegration        | 1.6.0                    | jeiintegration_1.12.2-1.6.0.jar                 | None                                     |     | LCHIJA | jee                   | 1.0.8                    | JustEnoughEnergistics-1.12.2-1.0.8.jar          | None                                     |     | LCHIJA | justenoughreactors    | 1.1.3.61                 | JustEnoughReactors-1.12.2-1.1.3.61.jar          | 2238d4a92d81ab407741a2fdb741cebddfeacba6 |     | LCHIJA | longfallboots         | 1.2.1a                   | longfallboots-1.2.1b.jar                        | None                                     |     | LCHIJA | redstoneflux          | 2.1.1                    | RedstoneFlux-1.12-2.1.1.1-universal.jar         | None                                     |     | LCHIJA | mekanism              | 1.12.2-9.4.13.349        | Mekanism-1.12.2-9.4.13.349.jar                  | None                                     |     | LCHIJA | mekanismgenerators    | 9.4.11                   | MekanismGenerators-1.12.2-9.4.13.349.jar        | None                                     |     | LCHIJA | mekanismtools         | 9.4.11                   | MekanismTools-1.12.2-9.4.13.349.jar             | None                                     |     | LCHIJA | mobbattle             | 2.3.1[1.12]              | MobBattleMod-1.12.2-2.3.1.jar                   | None                                     |     | LCHIJA | modnametooltip        | 1.10.1                   | modnametooltip_1.12.2-1.10.1.jar                | None                                     |     | LCHIJA | morpheus              | 1.12.2-3.5.106           | Morpheus-1.12.2-3.5.106.jar                     | None                                     |     | LCHIJA | mystcraft             | 0.13.7.06                | mystcraft-1.12.2-0.13.7.06.jar                  | None                                     |     | LCHIJA | recipehandler         | 0.13                     | No-More-Recipe-Conflict-Mod-1.12.2.jar          | None                                     |     | LCHIJA | yurtmod               | 9.5.2                    | NomadicTents-1.12.2-9.5.2.jar                   | None                                     |     | LCHIJA | omlib                 | 3.1.4-249                | omlib-1.12.2-3.1.4-249.jar                      | None                                     |     | LCHIJA | openmods              | 0.12.2                   | OpenModsLib-1.12.2-0.12.2.jar                   | d2a9a8e8440196e26a268d1f3ddc01b2e9c572a5 |     | LCHIJA | openblocks            | 1.8.1                    | OpenBlocks-1.12.2-1.8.1.jar                     | d2a9a8e8440196e26a268d1f3ddc01b2e9c572a5 |     | LCHIJA | openmodularturrets    | 3.1.12-378               | openmodularturrets-1.12.2-3.1.12-378.jar        | None                                     |     | LCHIJA | portalgun             | 7.1.0                    | PortalGun-1.12.2-7.1.0.jar                      | 4db5c2bd1b556f252a5b8b54b256d381b2a0a6b8 |     | LCHIJA | reborncore            | 3.19.5                   | RebornCore-1.12.2-3.19.5-universal.jar          | None                                     |     | LCHIJA | scp                   | 2.4.0                    | SCP_Lockdown-1.12.2-2.4.0-hotfix.jar            | None                                     |     | LCHIJA | secretroomsmod        | 5.6.4                    | secretroomsmod-1.12.2-5.6.4.jar                 | None                                     |     | LCHIJA | silverfish            | 0.0.19                   | Silverfish-1.12.2-0.0.19-universal.jar          | None                                     |     | LCHIJA | srparasites           | 1.9.0                    | SRParasites-1.12.2v1.9.0ALPHA14.jar             | None                                     |     | LCHIJA | techguns              | 2.0.2.0                  | techguns-1.12.2-2.0.2.0_pre3.2.jar              | None                                     |     | LCHIJA | wanionlib             | 1.12.2-2.5               | WanionLib-1.12.2-2.5.jar                        | None                                     |     | LCHIJA | wrcbe                 | 2.3.2                    | WR-CBE-1.12.2-2.3.2.33-universal.jar            | f1850c39b2516232a2108a7bd84d1cb5df93b261 |     | LCHIJA | xaerominimap          | 22.14.0                  | Xaeros_Minimap_22.14.0_Forge_1.12.jar           | None                                     |     | LCHIJA | llibrary              | 1.7.20                   | llibrary-1.7.20-1.12.2.jar                      | b9f30a813bee3b9dd5652c460310cfcd54f6b7ec |     | LCHIJA | mysticallib           | 1.12.2-1.10.0            | mysticallib-1.12.2-1.10.0.jar                   | None                                     |     | LCHIJA | unidict               | 1.12.2-3.0.8             | UniDict-1.12.2-3.0.8.jar                        | None                                     |     Loaded coremods (and transformers):  TransformLoader (DynamicSurroundings-1.12.2-3.6.1.0.jar)    RandomPatches (randompatches-1.12.2-1.22.1.10.jar)   com.therandomlabs.randompatches.core.RPTransformer ForgelinPlugin (Forgelin-1.8.4.jar)    OpenModsCorePlugin (OpenModsLib-1.12.2-0.12.2.jar)   openmods.core.OpenModsClassTransformer XaeroMinimapPlugin (Xaeros_Minimap_22.14.0_Forge_1.12.jar)   xaero.common.core.transformer.ChunkTransformer   xaero.common.core.transformer.NetHandlerPlayClientTransformer   xaero.common.core.transformer.EntityPlayerTransformer   xaero.common.core.transformer.AbstractClientPlayerTransformer   xaero.common.core.transformer.WorldClientTransformer   xaero.common.core.transformer.EntityPlayerSPTransformer   xaero.common.core.transformer.PlayerListTransformer   xaero.common.core.transformer.SaveFormatTransformer   xaero.common.core.transformer.GuiIngameForgeTransformer   xaero.common.core.transformer.GuiBossOverlayTransformer   xaero.common.core.transformer.ModelRendererTransformer BewitchmentFMLLoadingPlugin (bewitchment-1.12.2-0.0.22.64.jar)    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 Aqua Acrobatics Transformer (AquaAcrobatics-v1.3.5-1.12.2.jar)    ShutdownPatcher (mcef-1.12.2-1.11b-coremod.jar)   net.montoyo.mcef.coremod.ShutdownPatcher llibrary (llibrary-core-1.0.11-1.12.2.jar)   net.ilexiconn.llibrary.server.core.plugin.LLibraryTransformer   net.ilexiconn.llibrary.server.core.patcher.LLibraryRuntimePatcher Inventory Tweaks Coremod (InventoryTweaks-1.63.jar)   invtweaks.forge.asm.ContainerTransformer ShetiPhian-ASM (ShetiPhian-ASM-1.12.0.jar)   shetiphian.asm.ClassTransformer SecretRoomsMod-Core (secretroomsmod-1.12.2-5.6.4.jar)   com.wynprice.secretroomsmod.core.SecretRoomsTransformer Techguns Core (techguns-1.12.2-2.0.2.0_pre3.2.jar)   techguns.core.TechgunsASMTransformer CoreMod (Aroma1997Core-1.12.2-2.0.0.2.jar)        GL info: ' Vendor: 'NVIDIA Corporation' Version: '4.6.0 NVIDIA 472.84' Renderer: 'NVIDIA GeForce GTX 1660 SUPER/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     List of loaded APIs:          * AbyssalCraftAPI (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Biome (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Block (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Caps (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Condition (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Disruption (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Energy (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Entity (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Event (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Integration (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Internal (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Item (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Necronomicon (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Recipe (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Rending (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Ritual (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Spell (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Structure (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|Transfer (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * AbyssalCraftAPI|TransferCaps (1.30.0) from AbyssalCraft-1.12.2-1.10.3.jar         * appliedenergistics2|API (rv6) from appliedenergistics2-rv6-stable-7.jar         * Baubles|API (1.4.0.2) from Baubles-1.12-1.5.2.jar         * bigreactors|API (4.0.1) from ExtremeReactors-1.12.2-0.4.5.68.jar         * Chisel-API (0.0.1) from Chisel-MC1.12.2-1.0.2.45.jar         * ChiselAPI|Carving (0.0.1) from Chisel-MC1.12.2-1.0.2.45.jar         * ChiselsAndBitsAPI (14.25.0) from chiselsandbits-14.33.jar         * ComputerCraft|API (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|FileSystem (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|Lua (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|Media (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|Network (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|Network|Wired (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|Peripheral (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|Permissions (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|Redstone (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|Turtle (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * ComputerCraft|API|Turtle|Event (1.89.2) from cc-tweaked-1.12.2-1.89.2.jar         * cosmeticarmorreworked|api (1.0.0) from CosmeticArmorReworked-1.12.2-v5a.jar         * ctm-api (0.1.0) from CTM-MC1.12.2-1.0.2.31.jar         * ctm-api-events (0.1.0) from CTM-MC1.12.2-1.0.2.31.jar         * ctm-api-models (0.1.0) from CTM-MC1.12.2-1.0.2.31.jar         * ctm-api-textures (0.1.0) from CTM-MC1.12.2-1.0.2.31.jar         * ctm-api-utils (0.1.0) from CTM-MC1.12.2-1.0.2.31.jar         * EpicSiegeMod|API (1.0) from EpicSiegeMod-13.167.jar         * iChunUtil API (1.2.0) from iChunUtil-1.12.2-7.2.2.jar         * JustEnoughItemsAPI (4.13.0) from jei_1.12.2-4.16.1.302.jar         * MekanismAPI|core (9.0.0) from Mekanism-1.12.2-9.4.13.349.jar         * MekanismAPI|energy (9.0.0) from Mekanism-1.12.2-9.4.13.349.jar         * MekanismAPI|gas (9.0.0) from Mekanism-1.12.2-9.4.13.349.jar         * MekanismAPI|infuse (9.0.0) from Mekanism-1.12.2-9.4.13.349.jar         * MekanismAPI|laser (9.0.0) from Mekanism-1.12.2-9.4.13.349.jar         * MekanismAPI|transmitter (9.0.0) from Mekanism-1.12.2-9.4.13.349.jar         * MekanismAPI|util (9.0.0) from Mekanism-1.12.2-9.4.13.349.jar         * Mystcraft|API (0.2) from mystcraft-1.12.2-0.13.7.06.jar         * openblocks|api (1.2) from OpenBlocks-1.12.2-1.8.1.jar         * PatchouliAPI (6) from Patchouli-1.0-23.6.jar         * reborncoreAPI (3.19.5) from RebornCore-1.12.2-3.19.5-universal.jar         * reborncoreAPI|Power (3.19.5) from RebornCore-1.12.2-3.19.5-universal.jar         * reborncoreAPI|Recipe (3.19.5) from RebornCore-1.12.2-3.19.5-universal.jar         * reborncoreAPI|Tile (3.19.5) from RebornCore-1.12.2-3.19.5-universal.jar         * redstonefluxapi (2.1.1) from RedstoneFlux-1.12-2.1.1.1-universal.jar         * team_reborn|Praescriptum (3.19.5) from RebornCore-1.12.2-3.19.5-universal.jar         * zerocore|API|multiblock (1.10.2-0.0.2) from zerocore-1.12.2-0.1.2.9.jar         * zerocore|API|multiblock|rectangular (1.10.2-0.0.2) from zerocore-1.12.2-0.1.2.9.jar         * zerocore|API|multiblock|tier (1.10.2-0.0.2) from zerocore-1.12.2-0.1.2.9.jar         * zerocore|API|multiblock|validation (1.10.2-0.0.2) from zerocore-1.12.2-0.1.2.9.jar     Patchouli open book context: n/a     RebornCore:          Plugin Engine: 0         RebornCore Version: 3.19.5         Runtime Debofucsation 1         Invalid fingerprint detected for RebornCore!         RenderEngine: 0     AE2 Integration: IC2:OFF, RC:OFF, MFR:OFF, Waila:OFF, InvTweaks:ON, JEI:ON, Mekanism:ON, OpenComputers:OFF, THE_ONE_PROBE:OFF, TESLA:OFF, CRAFTTWEAKER:OFF     Launched Version: forge-14.23.5.2855     LWJGL: 2.9.4     OpenGL: NVIDIA GeForce GTX 1660 SUPER/PCIe/SSE2 GL version 4.6.0 NVIDIA 472.84, NVIDIA Corporation     GL Caps: Using GL 1.3 multitexturing. Using GL 1.3 texture combiners. Using framebuffer objects because OpenGL 3.0 is supported and separate blending is supported. Shaders are available because OpenGL 2.1 is supported. VBOs are available because OpenGL 1.5 is supported.     Using VBOs: Yes     Is Modded: Definitely; Client brand changed to 'fml,forge'     Type: Client (map_client.txt)     Resource Packs:      Current Language: English (US)     Profiler Position: N/A (disabled)     CPU: 12x 11th Gen Intel(R) Core(TM) i5-11400F @ 2.60GHz
    • It's a known issue: https://github.com/MinecraftForge/MinecraftForge/issues/9412
  • Topics

×
×
  • Create New...

Important Information

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