Jump to content

Bugs with drag and drop and containers


Raycoms

Recommended Posts

I created my custom IInventory, Container, GUIContainer and GUIHandler.

Without any problems I can drag an item inside the custom inventory slot and without any problems I can remove it double clicking it.

(I overwrote transferStackInSlot)

But somehow it isn't possible to remove the item in the slot dragging it.

 

package com.minecolonies.colony;

import com.minecolonies.inventory.InventoryField;
import com.minecolonies.util.BlockPosUtil;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.entity.player.InventoryPlayer;
import net.minecraft.inventory.Container;
import net.minecraft.inventory.Slot;
import net.minecraft.item.ItemSeeds;
import net.minecraft.item.ItemStack;
import net.minecraft.nbt.NBTTagCompound;
import net.minecraft.util.BlockPos;
import org.jetbrains.annotations.NotNull;

public class Field extends Container
{
    /**
     * Tag to store the location.
     */
    private static final String TAG_LOCATION = "location";

    /**
     * Tag to store if the field has been taken.
     */
    private static final String TAG_TAKEN = "taken";

    /**
     * Tag to store the fields length.
     */
    private static final String TAG_LENGTH = "length";

    /**
     * Tag to store the fields width.
     */
    private static final String TAG_WIDTH = "width";

    /**
     * The max width/length of a field.
     */
    private static final int MAX_RANGE = 10;

    /**
     * The fields location.
     */
    private BlockPos location;

    /**
     * The colony of the field.
     */
    private final Colony colony;

    /**
     * Has the field be taken by any worker?
     */
    private boolean taken = false;

    /**
     * Checks if the field needsWork (Hoeig, Seedings, Farming etc)
     */
    private boolean needsWork = false;

    /**
     * Has the field been planted?
     */
    private boolean planted = false;

    /**
     * The set seed type for the field.
     */
    private ItemSeeds seed;

    /**
     * The length of the field.
     */
    private int length;

    /**
     * The width of the seed;
     */
    private int width;

    /**
     * The inventorySlot of the field.
     */
    private InventoryField inventory;

     /**
     * Private constructor to create field from NBT.
     * @param colony the colony the field belongs to.
     */
    private Field(Colony colony)
    {
       this.colony = colony;
    }

    /**
     * Creates a new field object.
     * @param colony The colony the field is a part of.
     * @param location The location the field has been placed.
     * @param width The fields width.
     * @param length The fields length.
     */
    public Field(Colony colony, BlockPos location, int width, int length, InventoryField inventory)
    {
        this.location = location;
        this.colony   = colony;
        this.length = length;
        this.width = width;
        this.inventory = inventory;
    }

    public Field(InventoryField inventory, final InventoryPlayer playerInventory)
    {
        colony = this.getColony();
        location = new BlockPos(0,1,2);

        this.inventory = inventory;

        addSlotToContainer(new Slot(inventory, 0, 80, 34));

        //Ddd player inventory slots
        // Note: The slot numbers are within the player inventory and may be the same as the field inventory.
        int i;
        for (i = 0; i < 3; ++i)
        {
            for (int j = 0; j < 9; ++j)
            {
                addSlotToContainer(new Slot(playerInventory, j+i*9+9,
                                            8+j*18, 84+i*18));
            }
        }

        for (i = 0; i < 9; ++i)
        {
            addSlotToContainer(new Slot(playerInventory, i, 8 + i * 18,
                                        142));
        }
    }

    /**
     * Returns the {@link BlockPos} of the current object, also used as ID
     *
     * @return          {@link BlockPos} of the current object
     */
    public BlockPos getID()
    {
        return this.location; //  Location doubles as ID
    }

    /**
     * Returns the colony of the field
     *
     * @return          {@link com.minecolonies.colony.Colony} of the current object
     */
    public Colony getColony()
    {
        return this.colony;
    }

    /**
     * Create and load a Field given it's saved NBTTagCompound
     *
     * @param colony    The owning colony
     * @param compound  The saved data
     * @return          {@link com.minecolonies.colony.Field} created from the compound.
     */
    public static Field createFromNBT(Colony colony, NBTTagCompound compound)
    {
        Field field = new Field(colony);
        field.readFromNBT(compound);
        return field;
    }

    /**
     * Save data to NBT compound.
     * Writes the {@link #location} value.
     *
     * @param compound      {@link net.minecraft.nbt.NBTTagCompound} to write data to
     */
    public void writeToNBT(NBTTagCompound compound)
    {
        BlockPosUtil.writeToNBT(compound, TAG_LOCATION, this.location);
        compound.setBoolean(TAG_TAKEN, taken);
        compound.setInteger(TAG_LENGTH, length);
        compound.setInteger(TAG_WIDTH, width);
        inventory.writeToNBT(compound);
    }

    /**
     * Save data to NBT compound.
     * Writes the {@link #location} value.
     *
     * @param compound      {@link net.minecraft.nbt.NBTTagCompound} to write data to
     */
    public void readFromNBT(NBTTagCompound compound)
    {
        location = BlockPosUtil.readFromNBT(compound, TAG_LOCATION);
        taken = compound.getBoolean(TAG_TAKEN);
        length = compound.getInteger(TAG_LENGTH);
        width = compound.getInteger(TAG_WIDTH);
        inventory = new InventoryField("Scarecrow", true);
        inventory.readFromNBT(compound);
    }

    /**
     * Has the field been taken?
     * @return true if the field is not free to use, false after releasing it.
     */
    public boolean isTaken() {
        return this.taken;
    }

    /**
     * Sets the field taken.
     * @param taken is field free or not
     */
    public void setTaken(boolean taken) {
        this.taken = taken;
    }

    /**
     * Checks if the field has been planted.
     * @return true if there are crops planted.
     */
    public boolean isPlanted()
    {
        return this.planted;
    }

    /**
     * Sets if there are any crops planted.
     * @param planted true after planting, false after harvesting.
     */
    public void setPlanted(boolean planted)
    {
        this.planted = planted;
    }

    /**
     * Checks if the field needs work (planting, hoeing)
     * @return true if so.
     */
    public boolean needsWork()
    {
        return this.needsWork;
    }

    /**
     * Sets that the field needs work
     * @param needsWork true if work needed, false after completing the job.
     */
    public void setNeedsWork(boolean needsWork)
    {
        this.needsWork = needsWork;
    }

    /**
     * Getter for the length.
     * @return the fields length.
     */
    public int getLength()
    {
        return this.length;
    }

    /**
     * Getter for the width.
     * @return the fields with.
     */
    public int getWidth()
    {
        return this.width;
    }

    /**
     * Getter for MAX_RANGE.
     * @return the max range.
     */
    public int getMaxRange()
    {
        return MAX_RANGE;
    }

    /**
     * Return this citizens inventory.
     *
     * @return the inventory this citizen has.
     */
    @NotNull
    public InventoryField getInventoryField()
    {
        return inventory;
    }

    @Override
    public boolean canInteractWith(final EntityPlayer playerIn)
    {
        return true;
    }

    @Override
    public ItemStack transferStackInSlot(EntityPlayer playerIn, int slotIndex)
    {
        if (slotIndex == 0)
        {
            playerIn.inventory.addItemStackToInventory(inventory.getStackInSlot(0));
            inventory.setInventorySlotContents(0, null);
        }
        else if(inventory.getStackInSlot(0) == null)
        {
            int playerIndex = slotIndex < 28 ? slotIndex + 8 : slotIndex - 28;
            if(playerIn.inventory.getStackInSlot(playerIndex) != null)
            {
                inventory.setInventorySlotContents(0, playerIn.inventory.getStackInSlot(playerIndex).splitStack(1));
            }
        }

        return null;
    }

    @Override
    public ItemStack slotClick(final int slotId, final int clickedButton, final int mode, final EntityPlayer playerIn)
    {
        return super.slotClick(slotId, clickedButton, mode, playerIn);
    }
}

 

package com.minecolonies.inventory;
import com.minecolonies.colony.materials.MaterialSystem;
import net.minecraft.item.ItemStack;
import net.minecraft.nbt.NBTTagCompound;
import net.minecraft.nbt.NBTTagList;
import net.minecraftforge.common.util.Constants;

/**
* The custom chest of the field.
*/
public class InventoryField extends InventoryCitizen
{
    /**
     * NBTTag to store the slot.
     */
    private static final String TAG_SLOT = "slot";

    /**
     * NBTTag to store the items.
     */
    private static final String TAG_ITEMS = "items";

    /**
     * NBTTag to store the custom name.
     */
    private static final String TAG_CUSTOM_NAME = "name";

    /**
     * NBTTag to store the inventory.
     */
    private static final String TAG_INVENTORY = "inventory";

    /**
     * Returned slot if no slat has been found.
     */
    private static final int NO_SLOT = -1;

    /**
     * The inventory stack.
     */
    private ItemStack[] stackResult   = new ItemStack[1];

    /**
     * The custom name of the inventory.
     */
    private String customName         = "";

    /**
     * Creates the inventory of the citizen.
     *
     * @param title         Title of the inventory.
     * @param localeEnabled Boolean whether the inventory has a custom name.
     */
    public InventoryField(final String title, final boolean localeEnabled)
    {
        super(title, localeEnabled);
        customName = title;
    }

    @Override
    public int getSizeInventory()
    {
        return 1;
    }

    @Override
    public int getInventoryStackLimit()
    {
        return 1;
    }

    @Override
    public int getHotbarSize()
    {
        return 0;
    }

    public ItemStack getStackInSlot(int index)
    {
        return this.stackResult[0];
    }

    @Override
    public boolean hasCustomName()
    {
        return true;
    }

    /**
     * Sets the given item stack to the specified slot in the inventory (can be crafting or armor sections).
     * @param index the slot to set the itemStack.
     * @param stack the itemStack to set.
     */
    @Override
    public void setInventorySlotContents(int index, ItemStack stack)
    {
        this.stackResult[index] = stack;

        if (stack != null && stack.stackSize > this.getInventoryStackLimit())
        {
            stack.stackSize = this.getInventoryStackLimit();
        }

        this.markDirty();
    }

    /**
     *  Get the name of this object. For citizens this returns their name.
     * @return the name of the inventory.
     */
    @Override
    public String getName()
    {
        return this.hasCustomName() ? this.customName : "field.inventory";
    }

    /**
     * Used to retrieve variables.
     * @param compound with the give tag.
     */
    @Override
    public void readFromNBT(NBTTagCompound compound)
    {
        NBTTagList nbttaglist = compound.getTagList(TAG_ITEMS, Constants.NBT.TAG_COMPOUND);
        this.stackResult = new ItemStack[this.getSizeInventory()];

        for (int i = 0; i < nbttaglist.tagCount(); ++i)
        {
            NBTTagCompound nbttagcompound = nbttaglist.getCompoundTagAt(i);
            int            j              = nbttagcompound.getByte(TAG_SLOT) & Byte.MAX_VALUE;

            if (j != NO_SLOT && j < this.stackResult.length)
            {
                this.stackResult[j] = ItemStack.loadItemStackFromNBT(nbttagcompound);
            }
        }

        if (compound.hasKey(TAG_CUSTOM_NAME, Constants.NBT.TAG_STRING))
        {
            this.customName = compound.getString(TAG_CUSTOM_NAME);
        }
    }

    /**
     * Used to store variables.
     * @param compound with the given tag.
     */
    @Override
    public void writeToNBT(NBTTagCompound compound)
    {
        NBTTagList nbttaglist = new NBTTagList();

        for (int i = 0; i < this.stackResult.length; ++i)
        {
            if (this.stackResult[i] != null)
            {
                NBTTagCompound nbttagcompound = new NBTTagCompound();
                nbttagcompound.setByte(TAG_SLOT, (byte) i);
                this.stackResult[i].writeToNBT(nbttagcompound);
                nbttaglist.appendTag(nbttagcompound);
            }
        }

        compound.setTag(TAG_ITEMS, nbttaglist);

        if (this.hasCustomName())
        {
            compound.setString(TAG_CUSTOM_NAME, this.customName);
        }

        compound.setTag(TAG_INVENTORY, nbttaglist);
    }
}

Link to comment
Share on other sites

public ItemStack transferStackInSlot(EntityPlayer playerIn, int slotIndex) isn't called  when I try to drag it out of the custom inventory, it gets called the other way around.

public ItemStack slotClick(final int slotId, final int clickedButton, final int mode, final EntityPlayer playerIn) always gets called but I do not overwrite it.

 

 

Link to comment
Share on other sites

The InventoryField extends InventoryCitizen which extends IInventory.

I do not get any feedback at all when I try to drag out an object not even a log or exception.

 

The GuiHandler.

@SideOnly(Side.CLIENT)
public class GuiHandler implements IGuiHandler
{
    @Override
    public Object getServerGuiElement(int ID, EntityPlayer player, World world, int x, int y, int z)
    {
        BlockPos            pos        = new BlockPos(x,y,z);
        ScarecrowTileEntity tileEntity = (ScarecrowTileEntity) world.getTileEntity(pos);
        return new Field(tileEntity.inventoryField, player.inventory, world, pos);
    }

    @Override
    public Object getClientGuiElement(int ID, EntityPlayer player, World world, int x, int y, int z)
    {
        BlockPos            pos        = new BlockPos(x,y,z);
        ScarecrowTileEntity tileEntity = (ScarecrowTileEntity) world.getTileEntity(pos);
        return new GuiField(player.inventory, tileEntity.inventoryField, world, pos);

    }
}

 

Link to comment
Share on other sites

[16:23:15] [Realms Notification Availability checker #1/INFO]: Could not authorize you against Realms server: Invalid session id
[16:26:01] [server thread/INFO]: Starting integrated minecraft server version 1.8.9
[16:26:01] [server thread/INFO]: Generating keypair
[16:26:01] [server thread/INFO] [FML]: Injecting existing block and item data into this server instance
[16:26:01] [server thread/INFO] [FML]: Applying holder lookups
[16:26:01] [server thread/INFO] [FML]: Holder lookups applied
[16:26:02] [Realms Notification Availability checker #1/INFO]: Could not authorize you against Realms server: Invalid session id
[16:26:02] [server thread/INFO] [FML]: Loading dimension 0 (New World) (net.minecraft.server.integrated.IntegratedServer@24062a4b)
[16:26:02] [server thread/INFO] [FML]: Loading dimension 1 (New World) (net.minecraft.server.integrated.IntegratedServer@24062a4b)
[16:26:02] [server thread/INFO] [minecolonies]: Loaded 1 colonies
[16:26:02] [server thread/INFO] [FML]: Loading dimension -1 (New World) (net.minecraft.server.integrated.IntegratedServer@24062a4b)
[16:26:02] [server thread/INFO]: Preparing start region for level 0
[16:26:03] [server thread/INFO]: Preparing spawn area: 47%
[16:26:04] [server thread/INFO] [minecolonies]: Starting AI job com.minecolonies.job.Lumberjack
[16:26:04] [Realms Notification Availability checker #1/INFO]: Could not authorize you against Realms server: Invalid session id
[16:26:04] [server thread/INFO] [minecolonies]: Starting AI job com.minecolonies.job.Builder
[16:26:04] [server thread/INFO]: Changing view distance to 6, from 10
[16:26:06] [Netty Local Client IO #0/INFO] [FML]: Server protocol version 2
[16:26:06] [Netty Server IO #1/INFO] [FML]: Client protocol version 2
[16:26:06] [Netty Server IO #1/INFO] [FML]: Client attempting to join with 4 mods : [email protected],[email protected],minecolonies@@VERSION@,[email protected]
[16:26:06] [Netty Local Client IO #0/INFO] [FML]: [Netty Local Client IO #0] Client side modded connection established
[16:26:06] [server thread/INFO] [FML]: [server thread] Server side modded connection established
[16:26:06] [server thread/INFO]: Raycoms[local:E:fb690bcb] logged in with entity id 557 at (-180.58073028560275, 64.88756546798191, 268.0009106214668)
[16:26:06] [server thread/INFO]: Raycoms joined the game
[16:26:08] [pool-2-thread-1/WARN]: Couldn't look up profile properties for com.mojang.authlib.GameProfile@3ec8890[id=7a8d2f7a-e6ca-3651-b109-06fdcd7aa8cb,name=Raycoms,properties={},legacy=false]
com.mojang.authlib.exceptions.AuthenticationException: The client has sent too many requests within a certain amount of time
at com.mojang.authlib.yggdrasil.YggdrasilAuthenticationService.makeRequest(YggdrasilAuthenticationService.java:65) ~[YggdrasilAuthenticationService.class:?]
at com.mojang.authlib.yggdrasil.YggdrasilMinecraftSessionService.fillGameProfile(YggdrasilMinecraftSessionService.java:175) [YggdrasilMinecraftSessionService.class:?]
at com.mojang.authlib.yggdrasil.YggdrasilMinecraftSessionService$1.load(YggdrasilMinecraftSessionService.java:59) [YggdrasilMinecraftSessionService$1.class:?]
at com.mojang.authlib.yggdrasil.YggdrasilMinecraftSessionService$1.load(YggdrasilMinecraftSessionService.java:56) [YggdrasilMinecraftSessionService$1.class:?]
at com.google.common.cache.LocalCache$LoadingValueReference.loadFuture(LocalCache.java:3524) [guava-17.0.jar:?]
at com.google.common.cache.LocalCache$Segment.loadSync(LocalCache.java:2317) [guava-17.0.jar:?]
at com.google.common.cache.LocalCache$Segment.lockedGetOrLoad(LocalCache.java:2280) [guava-17.0.jar:?]
at com.google.common.cache.LocalCache$Segment.get(LocalCache.java:2195) [guava-17.0.jar:?]
at com.google.common.cache.LocalCache.get(LocalCache.java:3934) [guava-17.0.jar:?]
at com.google.common.cache.LocalCache.getOrLoad(LocalCache.java:3938) [guava-17.0.jar:?]
at com.google.common.cache.LocalCache$LocalLoadingCache.get(LocalCache.java:4821) [guava-17.0.jar:?]
at com.google.common.cache.LocalCache$LocalLoadingCache.getUnchecked(LocalCache.java:4827) [guava-17.0.jar:?]
at com.mojang.authlib.yggdrasil.YggdrasilMinecraftSessionService.fillProfileProperties(YggdrasilMinecraftSessionService.java:165) [YggdrasilMinecraftSessionService.class:?]
at net.minecraft.client.Minecraft.getProfileProperties(Minecraft.java:2951) [Minecraft.class:?]
at net.minecraft.client.resources.SkinManager$3.run(SkinManager.java:130) [skinManager$3.class:?]
at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:511) [?:1.8.0_102]
at java.util.concurrent.FutureTask.run(FutureTask.java:266) [?:1.8.0_102]
at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1142) [?:1.8.0_102]
at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:617) [?:1.8.0_102]
at java.lang.Thread.run(Thread.java:745) [?:1.8.0_102]
[16:26:33] [server thread/INFO] [minecolonies]: Colony 1 - new AbstractBuilding for class com.minecolonies.blocks.BlockHutBuilder at BlockPos{x=-193, y=67, z=254}
[16:26:34] [server thread/INFO] [minecolonies]: Starting AI job com.minecolonies.job.Builder
[16:26:34] [server thread/INFO] [minecolonies]: Colony 1 - removed AbstractBuilding BlockPos{x=-193, y=67, z=254} of type Builder
[16:26:35] [Client thread/INFO]: [CHAT] Lumberjack James M. Robinson: I need axe!
[16:26:35] [server thread/INFO] [minecolonies]: Colony 1 - new AbstractBuilding for class com.minecolonies.blocks.BlockHutBuilder at BlockPos{x=-194, y=66, z=253}
[16:26:35] [server thread/INFO] [minecolonies]: Starting AI job com.minecolonies.job.Builder
[16:26:37] [server thread/INFO] [minecolonies]: Colony 1 - removed AbstractBuilding BlockPos{x=-194, y=66, z=253} of type Builder
[16:26:41] [server thread/INFO] [minecolonies]: Colony 1 - new AbstractBuilding for class com.minecolonies.blocks.BlockHutBuilder at BlockPos{x=-194, y=66, z=251}
[16:26:41] [server thread/INFO] [minecolonies]: Starting AI job com.minecolonies.job.Builder
[16:26:41] [server thread/INFO] [minecolonies]: Colony 1 - removed AbstractBuilding BlockPos{x=-194, y=66, z=251} of type Builder
[16:27:22] [Client thread/INFO]: [CHAT] Finished building classic/Fisherman1
[16:27:22] [server thread/INFO] [minecolonies]: Starting AI job com.minecolonies.job.Fisherman
[16:27:35] [Client thread/INFO]: [CHAT] Lumberjack James M. Robinson: I need axe!
[16:27:40] [Client thread/INFO]: [CHAT] Fisherman Dorothy S. Johnson: I need Fishing Rod!
[16:28:10] [Client thread/INFO]: [CHAT] Fisherman Dorothy S. Johnson: I need Fishing Rod!
[16:29:11] [Client thread/INFO]: [CHAT] Fisherman Dorothy S. Johnson: I need Fishing Rod!

 

Nothing interesting in the log.

Link to comment
Share on other sites

@SideOnly(Side.CLIENT)
public class GuiField extends GuiContainer
{
    /**
     * The resource location of the GUI background.
     */
    private static final ResourceLocation TEXTURE = new ResourceLocation(Constants.MOD_ID, "textures/gui/scarecrow.png");

    /**
     * Constructor of the GUI.
     * @param parInventoryPlayer the player inventory.
     * @param fieldInventory the field inventory.
     */
    protected GuiField(InventoryPlayer parInventoryPlayer, IInventory fieldInventory, World world, BlockPos location)
    {
        super(new Field((InventoryField) fieldInventory, parInventoryPlayer, world, location));
    }

    /**
     * Does draw the background of the GUI.
     * @param partialTicks the ticks delivered.
     * @param mouseX the mouseX position.
     * @param mouseY the mouseY position.
     */
    @Override
    protected void drawGuiContainerBackgroundLayer(float partialTicks, int mouseX, int mouseY)
    {
        GlStateManager.color(1.0F, 1.0F, 1.0F, 1.0F);
        mc.getTextureManager().bindTexture(TEXTURE);
        int marginHorizontal = (width - xSize) / 2;
        int marginVertical   = (height - ySize) / 2;
        drawTexturedModalRect(marginHorizontal, marginVertical, 0, 0, xSize, ySize);
    }
}

Link to comment
Share on other sites

This is still happening

Please explain to me what you mean by drag, do you mean clicking on a slot once and moving it around?

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.

Link to comment
Share on other sites

Anyone has an idea, tried everything =/

I'm pretty sure I figured it out, you never add any slots server side. You use the first constructor with just sets the variables inside the Container, but when creating a container in the Gui you add the slots.

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.

Link to comment
Share on other sites

The first constructor I only call in order to recreate the Field object vom NBT.

If you have any idea how I could fix it, I'd try =P

 

Our code is also on GitHub if you'd like to test it out.

 

https://github.com/Minecolonies/minecolonies

I do not have time to check it out but you can get all of that data from the TileEntity so instead just call the second constructor and set the data from the TileEntity, then if you want to display some of this data on the gui look at how ContainerFurnace, TileEntityFurnace, and GuiFurnace sync that data.

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.

Link to comment
Share on other sites

How can I get the playerInventory from the tileEntity?

 

This in the GUIHandler does not call both constructors of the field?

Also I am able to transfer the items between the slots inside the inventory and back again, just not by drag and drop.

 

 

    @Override
    public Object getServerGuiElement(int id, EntityPlayer player, World world, int x, int y, int z)
    {
        final BlockPos            pos        = new BlockPos(x,y,z);
        final ScarecrowTileEntity tileEntity = (ScarecrowTileEntity) world.getTileEntity(pos);
        return new Field(tileEntity.getInventoryField(), player.inventory, world, pos);
    }

    @Override
    public Object getClientGuiElement(int id, EntityPlayer player, World world, int x, int y, int z)
    {
        final BlockPos            pos        = new BlockPos(x,y,z);
        final ScarecrowTileEntity tileEntity = (ScarecrowTileEntity) world.getTileEntity(pos);
        return new GuiField(player.inventory, tileEntity.getInventoryField(), world, pos);
    }

Link to comment
Share on other sites

How can I get the playerInventory from the tileEntity?

 

This in the GUIHandler does not call both constructors of the field?

Also I am able to transfer the items between the slots inside the inventory and back again, just not by drag and drop.

 

 

    @Override
    public Object getServerGuiElement(int id, EntityPlayer player, World world, int x, int y, int z)
    {
        final BlockPos            pos        = new BlockPos(x,y,z);
        final ScarecrowTileEntity tileEntity = (ScarecrowTileEntity) world.getTileEntity(pos);
        return new Field(tileEntity.getInventoryField(), player.inventory, world, pos);
    }

    @Override
    public Object getClientGuiElement(int id, EntityPlayer player, World world, int x, int y, int z)
    {
        final BlockPos            pos        = new BlockPos(x,y,z);
        final ScarecrowTileEntity tileEntity = (ScarecrowTileEntity) world.getTileEntity(pos);
        return new GuiField(player.inventory, tileEntity.getInventoryField(), world, pos);
    }

Instead of passing in tileEntity.getInventoryField() just pass tileEntity into the constructor. You would pass the players inventory the same 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.

Link to comment
Share on other sites

Sorry, but I still do not understand what I should do with that tileEntity.

 

 

public Field(ScarecrowTileEntity scarecrowTileEntity, InventoryPlayer playerInventory, World world, BlockPos location)
    {
        super();
        this.colony = ColonyManager.getColony(world, location);
        this.location = location;

        this.inventory = scarecrowTileEntity.getInventoryField();

        addSlotToContainer(new Slot(inventory, 0, X_OFFSET, Y_OFFSET));

        //Ddd player inventory slots
        // Note: The slot numbers are within the player inventory and may be the same as the field inventory.
        int i;
        for (i = 0; i < PLAYER_INVENTORY_ROWS; i++)
        {
            for (int j = 0; j < PLAYER_INVENTORY_COLUMNS; j++)
            {
                addSlotToContainer(new Slot(
                        playerInventory,
                        j + i * PLAYER_INVENTORY_COLUMNS + PLAYER_INVENTORY_COLUMNS,
                        PLAYER_INVENTORY_INITIAL_X_OFFSET + j * PLAYER_INVENTORY_OFFSET_EACH,
                        PLAYER_INVENTORY_INITIAL_Y_OFFSET + i * PLAYER_INVENTORY_OFFSET_EACH
                ));
            }
        }

        for (i = 0; i < PLAYER_INVENTORY_COLUMNS; i++)
        {
            addSlotToContainer(new Slot(
                    playerInventory, i,
                    PLAYER_INVENTORY_INITIAL_X_OFFSET + i * PLAYER_INVENTORY_OFFSET_EACH,
                    PLAYER_INVENTORY_HOTBAR_OFFSET
            ));
        }
        calculateSize(world, location.down());
    }

Link to comment
Share on other sites

Still unsolved.

Post your updated GUi, Container, and GuiHandler code. Even if it has not changed it will be easier to look at it.

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.

Link to comment
Share on other sites

Container class:

/**
* Handles the field class.
*/
public class Field extends Container
{
    /**
     * The size of a normal inventory.
     */
    private static final int MAX_INVENTORY_INDEX = 28;

    /**
     * The size of the the inventory hotbar.
     */
    private static final int INVENTORY_BAR_SIZE = 8;

    /**
     * X-Offset of the inventory slot in the GUI of the scarecrow.
     */
    private static final int X_OFFSET = 80;

    /**
     * Y-Offset of the inventory slot in the GUI of the scarecrow.
     */
    private static final int Y_OFFSET = 34;

    /**
     * Tag to store the location.
     */
    private static final String TAG_LOCATION = "location";

    /**
     * Tag to store if the field has been taken.
     */
    private static final String TAG_TAKEN = "taken";

    /**
     * Tag to store the fields positive length.
     */
    private static final String TAG_LENGTH_PLUS = "length+";

    /**
     * Tag to store the fields positive width.
     */
    private static final String TAG_WIDTH_PLUS = "width+";

    /**
     * Tag to store the fields negative length.
     */
    private static final String TAG_LENGTH_MINUS = "length-";

    /**
     * Tag to store the fields negative width.
     */
    private static final String TAG_WIDTH_MINUS = "width-";

    /**
     * Tag to store the fields stage.
     */
    private static final String TAG_STAGE = "stage";

    /**
     * Amount of rows in the player inventory.
     */
    private static final int PLAYER_INVENTORY_ROWS = 3;

    /**
     * Amount of columns in the player inventory.
     */
    private static final int PLAYER_INVENTORY_COLUMNS = 9;

    /**
     * Initial x-offset of the inventory slot.
     */
    private static final int PLAYER_INVENTORY_INITIAL_X_OFFSET = 8;

    /**
     * Initial y-offset of the inventory slot.
     */
    private static final int PLAYER_INVENTORY_INITIAL_Y_OFFSET = 84;

    /**
     * Each offset of the inventory slots.
     */
    private static final int PLAYER_INVENTORY_OFFSET_EACH = 18;

    /**
     * Initial y-offset of the inventory slots in the hotbar.
     */
    private static final int PLAYER_INVENTORY_HOTBAR_OFFSET = 142;

    /**
     * The max width/length of a field.
     */
    private static final int MAX_RANGE = 5;
    /**
     * The colony of the field.
     */
    private final Colony   colony;

    /**
     * The fields location.
     */
    private BlockPos location;

    /**
     * Has the field be taken by any worker?
     */
    private boolean taken = false;

    /**
     * Checks if the field needsWork (Hoeig, Seedings, Farming etc).
     */
    private boolean needsWork = false;

    /**
     * Has the field been planted?
     */
    private FieldStage fieldStage = FieldStage.EMPTY;

    /**
     * The length to plus x of the field.
     */
    private int lengthPlusX;

    /**
     * The width to plus z of the seed.
     */
    private int widthPlusZ;

    /**
     * The length to minus xof the field.
     */
    private int lengthMinusX;

    /**
     * The width to minus z of the seed.
     */
    private int widthMinusZ;

    /**
     * The inventorySlot of the field.
     */
    private InventoryField inventory;

    /**
     * Name of the citizen claiming the field.
     */
    private String owner = "";

    /**
     * Private constructor to create field from NBT.
     *
     * @param colony the colony the field belongs to.
     */
    private Field(Colony colony)
    {
        super();
        this.colony = colony;
    }

    /**
     * Creates an instance of our field container, this may be serve to open the GUI.
     *
     * @param scarecrowTileEntity       the tileEntity of the field containing the inventory.
     * @param playerInventory the player inventory.
     * @param world           the world.
     * @param location        the position of the field.
     */
    public Field(ScarecrowTileEntity scarecrowTileEntity, InventoryPlayer playerInventory, World world, BlockPos location)
    {
        super();
        this.colony = ColonyManager.getColony(world, location);
        this.location = location;
        this.inventory = scarecrowTileEntity.getInventoryField();

        addSlotToContainer(new Slot(inventory, 0, X_OFFSET, Y_OFFSET));

        //Ddd player inventory slots
        // Note: The slot numbers are within the player inventory and may be the same as the field inventory.
        int i;
        for (i = 0; i < PLAYER_INVENTORY_ROWS; i++)
        {
            for (int j = 0; j < PLAYER_INVENTORY_COLUMNS; j++)
            {
                addSlotToContainer(new Slot(
                        playerInventory,
                        j + i * PLAYER_INVENTORY_COLUMNS + PLAYER_INVENTORY_COLUMNS,
                        PLAYER_INVENTORY_INITIAL_X_OFFSET + j * PLAYER_INVENTORY_OFFSET_EACH,
                        PLAYER_INVENTORY_INITIAL_Y_OFFSET + i * PLAYER_INVENTORY_OFFSET_EACH
                ));
            }
        }

        for (i = 0; i < PLAYER_INVENTORY_COLUMNS; i++)
        {
            addSlotToContainer(new Slot(
                    playerInventory, i,
                    PLAYER_INVENTORY_INITIAL_X_OFFSET + i * PLAYER_INVENTORY_OFFSET_EACH,
                    PLAYER_INVENTORY_HOTBAR_OFFSET
            ));
        }
        calculateSize(world, location.down());
    }

    /**
     * Create and load a Field given it's saved NBTTagCompound.
     *
     * @param colony   The owning colony.
     * @param compound The saved data.
     * @return {@link Field} created from the compound.
     */
    public static Field createFromNBT(Colony colony, NBTTagCompound compound)
    {
        final Field field = new Field(colony);
        field.readFromNBT(compound);
        return field;
    }

    /**
     * Save data to NBT compound.
     * Writes the {@link #location} value.
     *
     * @param compound {@link net.minecraft.nbt.NBTTagCompound} to write data to.
     */
    public void readFromNBT(NBTTagCompound compound)
    {
        location = BlockPosUtil.readFromNBT(compound, TAG_LOCATION);
        taken = compound.getBoolean(TAG_TAKEN);
        fieldStage = FieldStage.values()[compound.getInteger(TAG_STAGE)];
        lengthPlusX = compound.getInteger(TAG_LENGTH_PLUS);
        widthPlusZ = compound.getInteger(TAG_WIDTH_PLUS);
        lengthMinusX = compound.getInteger(TAG_LENGTH_MINUS);
        widthMinusZ = compound.getInteger(TAG_WIDTH_MINUS);
        inventory = new InventoryField("Scarecrow", true);
        inventory.readFromNBT(compound);
    }

    /**
     * Getter for MAX_RANGE.
     *
     * @return the max range.
     */
    private static int getMaxRange()
    {
        return MAX_RANGE;
    }

    @Override
    public ItemStack transferStackInSlot(EntityPlayer playerIn, int slotIndex)
    {
        if (slotIndex == 0)
        {
            playerIn.inventory.addItemStackToInventory(inventory.getStackInSlot(0));
            inventory.setInventorySlotContents(0, null);
        }
        else if (inventory.getStackInSlot(0) == null)
        {
            final int playerIndex = slotIndex < MAX_INVENTORY_INDEX ? (slotIndex + INVENTORY_BAR_SIZE) : (slotIndex - MAX_INVENTORY_INDEX);
            if (playerIn.inventory.getStackInSlot(playerIndex) != null)
            {
                final ItemStack stack = playerIn.inventory.getStackInSlot(playerIndex).splitStack(1);
                inventory.setInventorySlotContents(0, stack);
                if (playerIn.inventory.getStackInSlot(playerIndex).stackSize == 0)
                {
                    playerIn.inventory.removeStackFromSlot(playerIndex);
                }
            }
        }

        return null;
    }

    @Override
    public boolean canInteractWith(EntityPlayer playerIn)
    {
        return getColony().getPermissions().hasPermission(playerIn, Permissions.Action.ACCESS_HUTS);
    }

    /**
     * Returns the colony of the field.
     *
     * @return {@link com.minecolonies.colony.Colony} of the current object.
     */
    public Colony getColony()
    {
        return this.colony;
    }

    /**
     * Calculates recursively the length of the field until a certain point.
     *
     * This mutates the field!
     *
     * @param position the start position.
     * @param world    the world the field is in.
     */
    public final void calculateSize(World world, BlockPos position)
    {
        //Calculate in all 4 directions
        this.lengthPlusX = searchNextBlock(0, position.east(), EnumFacing.EAST, world);
        this.lengthMinusX = searchNextBlock(0, position.west(), EnumFacing.WEST, world);
        this.widthPlusZ = searchNextBlock(0, position.south(), EnumFacing.SOUTH, world);
        this.widthMinusZ = searchNextBlock(0, position.north(), EnumFacing.NORTH, world);
    }

    /**
     * Calculates the field size into a specific direction.
     *
     * @param blocksChecked how many blocks have been checked.
     * @param position      the start position.
     * @param direction     the direction to search.
     * @param world         the world object.
     * @return the distance.
     */
    private int searchNextBlock(int blocksChecked, BlockPos position, EnumFacing direction, World world)
    {
        if (blocksChecked == getMaxRange() || isNoPartOfField(world, position))
        {
            return blocksChecked;
        }
        return searchNextBlock(blocksChecked + 1, position.offset(direction), direction, world);
    }

    /**
     * Checks if a certain position is part of the field. Complies with the definition of field block.
     *
     * @param world    the world object.
     * @param position the position.
     * @return true if it is.
     */
    public boolean isNoPartOfField(World world, BlockPos position)
    {
        return world.isAirBlock(position) || world.getBlockState(position.up()).getBlock().getMaterial().isSolid();
    }

    /**
     * Returns the {@link BlockPos} of the current object, also used as ID.
     *
     * @return {@link BlockPos} of the current object.
     */
    public BlockPos getID()
    {
        // Location doubles as ID
        return this.location;
    }

    /**
     * Save data to NBT compound.
     * Writes the {@link #location} value.
     *
     * @param compound {@link net.minecraft.nbt.NBTTagCompound} to write data to.
     */
    public void writeToNBT(NBTTagCompound compound)
    {
        BlockPosUtil.writeToNBT(compound, TAG_LOCATION, this.location);
        compound.setBoolean(TAG_TAKEN, taken);
        compound.setInteger(TAG_STAGE, fieldStage.ordinal());
        compound.setInteger(TAG_LENGTH_PLUS, lengthPlusX);
        compound.setInteger(TAG_WIDTH_PLUS, widthPlusZ);
        compound.setInteger(TAG_LENGTH_MINUS, lengthMinusX);
        compound.setInteger(TAG_WIDTH_MINUS, widthMinusZ);
        inventory.writeToNBT(compound);
    }

    /**
     * Has the field been taken?
     *
     * @return true if the field is not free to use, false after releasing it.
     */
    public boolean isTaken()
    {
        return this.taken;
    }

    /**
     * Sets the field taken.
     *
     * @param taken is field free or not
     */
    public void setTaken(boolean taken)
    {
        this.taken = taken;
    }

    /**
     * Checks if the field has been planted.
     *
     * @return true if there are crops planted.
     */
    public FieldStage getFieldStage()
    {
        return this.fieldStage;
    }

    /**
     * Sets if there are any crops planted.
     *
     * @param fieldStage true after planting, false after harvesting.
     */
    public void setFieldStage(FieldStage fieldStage)
    {
        this.fieldStage = fieldStage;
    }

    /**
     * Checks if the field needs work (planting, hoeing).
     *
     * @return true if so.
     */
    public boolean needsWork()
    {
        return this.needsWork;
    }

    /**
     * Sets that the field needs work.
     *
     * @param needsWork true if work needed, false after completing the job.
     */
    public void setNeedsWork(boolean needsWork)
    {
        this.needsWork = needsWork;
    }

    /**
     * Getter of the seed of the field.
     *
     * @return the ItemSeed
     */
    public Item getSeed()
    {
        if (inventory.getStackInSlot(0) != null && inventory.getStackInSlot(0).getItem() instanceof IPlantable)
        {
            return inventory.getStackInSlot(0).getItem();
        }
        return null;
    }

    /**
     * Getter of the length in plus x direction.
     *
     * @return field length.
     */
    public int getLengthPlusX()
    {
        return lengthPlusX;
    }

    /**
     * Getter of the with in plus z direction.
     *
     * @return field width.
     */
    public int getWidthPlusZ()
    {
        return widthPlusZ;
    }

    /**
     * Getter of the length in minus x direction.
     *
     * @return field length.
     */
    public int getLengthMinusX()
    {
        return lengthMinusX;
    }

    /**
     * Getter of the with in minus z direction.
     *
     * @return field width.
     */
    public int getWidthMinusZ()
    {
        return widthMinusZ;
    }

    /**
     * Location getter.
     *
     * @return the location of the scarecrow of the field.
     */
    public BlockPos getLocation()
    {
        return this.location;
    }

    /**
     * Return this citizens inventory.
     *
     * @return the inventory this citizen has.
     */
    @NotNull
    public InventoryField getInventoryField()
    {
        return inventory;
    }

    /**
     * Sets the inventory of the field.
     *
     * @param inventory the inventory to set.
     */
    public void setInventoryField(InventoryField inventory)
    {
        this.inventory = inventory;
    }

    /**
     * Sets the owner of the field.
     * @param owner the name of the citizen.
     */
    public void setOwner(final String owner)
    {
        this.owner = owner;
    }

    /**
     * Getter of the owner of the field.
     * @return the string description of the citizen.
     */
    public String getOwner()
    {
        return owner;
    }

    /**
     * Describes the stage the field is in.
     * Like if it has been hoed, planted or is empty.
     */
    public enum FieldStage
    {
        EMPTY,
        HOED,
        PLANTED
    }
}

 

GuiField:

/**
* Class which creates the GUI of our field inventory.
*/
@SideOnly(Side.CLIENT)
public class GuiField extends GuiContainer
{
    /**
     * The resource location of the GUI background.
     */
    private static final ResourceLocation TEXTURE = new ResourceLocation(Constants.MOD_ID, "textures/gui/scarecrow.png");

    /**
     * Constructor of the GUI.
     *
     * @param parInventoryPlayer the player inventory.
     * @param tileEntity         the tileEntity of the field, contains the inventory.
     * @param world              the world the field is in.
     * @param location           the location the field is at.
     */
    protected GuiField(InventoryPlayer parInventoryPlayer, ScarecrowTileEntity tileEntity, World world, BlockPos location)
    {
        super(new Field(tileEntity, parInventoryPlayer, world, location));
    }

    /**
     * Does draw the background of the GUI.
     *
     * @param partialTicks the ticks delivered.
     * @param mouseX       the mouseX position.
     * @param mouseY       the mouseY position.
     */
    @Override
    protected void drawGuiContainerBackgroundLayer(float partialTicks, int mouseX, int mouseY)
    {
        GlStateManager.color(1.0F, 1.0F, 1.0F, 1.0F);
        mc.getTextureManager().bindTexture(TEXTURE);
        final int marginHorizontal = (width - xSize) / 2;
        final int marginVertical = (height - ySize) / 2;
        drawTexturedModalRect(marginHorizontal, marginVertical, 0, 0, xSize, ySize);
    }
}

 

Gui Handler:

/**
* Class which handles the GUI inventory.
*/
public class GuiHandler implements IGuiHandler
{
    @Override
    public Object getServerGuiElement(int id, EntityPlayer player, World world, int x, int y, int z)
    {
        final BlockPos            pos        = new BlockPos(x,y,z);
        final ScarecrowTileEntity tileEntity = (ScarecrowTileEntity) world.getTileEntity(pos);
        return new Field(tileEntity, player.inventory, world, pos);
    }

    @Override
    public Object getClientGuiElement(int id, EntityPlayer player, World world, int x, int y, int z)
    {
        final BlockPos            pos        = new BlockPos(x,y,z);
        final ScarecrowTileEntity tileEntity = (ScarecrowTileEntity) world.getTileEntity(pos);
        return new GuiField(player.inventory, tileEntity, world, pos);
    }
}

Link to comment
Share on other sites

Join the conversation

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

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

×   Pasted as rich text.   Restore formatting

  Only 75 emoji are allowed.

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

×   Your previous content has been restored.   Clear editor

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

Announcements



  • Recently Browsing

    • No registered users viewing this page.
  • Posts

    • ---- Minecraft Crash Report ---- // Don't be sad, have a hug! ❤️ Time: 2024-09-28 06:19:18 CDT Description: Ticking screen java.lang.ClassCastException: danger.orespawn.IrukandjiArrow cannot be cast to net.minecraft.entity.EntityLivingBase     at net.minecraft.client.network.NetHandlerPlayClient.func_147281_a(Unknown Source)     at net.minecraft.network.play.server.S0FPacketSpawnMob.func_148833_a(SourceFile:97)     at net.minecraft.network.play.server.S0FPacketSpawnMob.func_148833_a(SourceFile:15)     at net.minecraft.network.NetworkManager.func_74428_b(NetworkManager.java:212)     at net.minecraft.client.multiplayer.GuiConnecting.func_73876_c(SourceFile:78)     at net.minecraft.client.Minecraft.func_71407_l(Minecraft.java:1661)     at net.minecraft.client.Minecraft.func_71411_J(Minecraft.java:973)     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:6104)     at net.minecraft.client.main.Main.main(SourceFile:148)     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: --------------------------------------------------------------------------------------- -- Affected screen -- Details:     Screen name: ~~ERROR~~ NullPointerException: null -- Affected level -- Details:     Level name: MpServer     All players: 1 total; [EntityClientPlayerMP['Jamajick'/59492, l='MpServer', x=-23.07, y=83.16, z=-95.57]]     Chunk stats: MultiplayerChunkCache: 90, 90     Level seed: 0     Level generator: ID 00 - default, ver 1. Features enabled: false     Level generator options:      Level spawn location: World: (-28,64,-107), Chunk: (at 4,4,5 in -2,-7; contains blocks -32,0,-112 to -17,255,-97), Region: (-1,-1; contains chunks -32,-32 to -1,-1, blocks -512,0,-512 to -1,255,-1)     Level time: 6363740 game time, 6381896 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: 65 total; [EntityLunaMoth['Moth'/46592, l='MpServer', x=22.47, y=66.00, z=-133.97], EntityChicken['Chicken'/2825, l='MpServer', x=-35.47, y=84.00, z=-99.63], EntitySheep['Sheep'/2826, l='MpServer', x=-12.09, y=76.00, z=-96.47], Entity_SpecialZombie['Zombie'/39307, l='MpServer', x=47.84, y=65.00, z=-29.66], EntityChicken['Chicken'/2828, l='MpServer', x=-19.38, y=84.00, z=-87.41], EntitySheep['Sheep'/2830, l='MpServer', x=-26.91, y=87.00, z=-48.94], EntityItem['item.item.egg'/45966, l='MpServer', x=-40.16, y=79.13, z=-113.84], EntityCreeper['Creeper'/34959, l='MpServer', x=-5.50, y=26.00, z=-96.50], EntitySheep['Sheep'/2831, l='MpServer', x=-25.91, y=87.00, z=-46.03], EntityCreeper['Creeper'/55313, l='MpServer', x=41.88, y=66.00, z=-28.22], EntityItem['item.item.feather'/33939, l='MpServer', x=-21.28, y=79.13, z=-97.63], EntityChicken['Chicken'/2837, l='MpServer', x=-27.44, y=70.00, z=-132.44], EntityChicken['Chicken'/2838, l='MpServer', x=-3.59, y=64.00, z=-106.38], EntityChicken['Chicken'/2841, l='MpServer', x=0.47, y=65.00, z=-98.47], ThePrinceTeen['The Young Prince'/2844, l='MpServer', x=-8.50, y=75.00, z=-95.50], ThePrinceTeen['The Young Prince'/2845, l='MpServer', x=-2.50, y=71.00, z=-91.50], ThePrinceTeen['The Young Prince'/2846, l='MpServer', x=-9.91, y=77.00, z=-94.13], ThePrinceTeen['The Young Prince'/2847, l='MpServer', x=-7.50, y=76.00, z=-91.50], EntitySheep['Sheep'/2848, l='MpServer', x=-8.06, y=87.00, z=-55.03], EntityMinecartChest['entity.MinecartChest.name'/2722, l='MpServer', x=-88.50, y=34.50, z=-159.50], EntityPig['Pig'/2723, l='MpServer', x=-84.91, y=79.00, z=-52.84], EntityItem['item.item.egg'/59429, l='MpServer', x=-53.91, y=79.13, z=-78.16], EntityItem['item.item.egg'/59430, l='MpServer', x=-14.78, y=78.13, z=-94.91], EntityItem['item.item.egg'/59431, l='MpServer', x=-4.34, y=64.13, z=-105.16], EntitySquid['Squid'/35881, l='MpServer', x=-54.50, y=52.00, z=-88.50], EntityItem['item.item.egg'/42031, l='MpServer', x=-23.78, y=75.13, z=-131.88], EntityItem['item.item.egg'/33970, l='MpServer', x=-15.53, y=69.13, z=-104.34], EntitySquid['Squid'/47923, l='MpServer', x=21.50, y=60.00, z=-90.72], EntitySquid['Squid'/47925, l='MpServer', x=21.50, y=61.34, z=-92.78], EntityCreeper['Creeper'/34615, l='MpServer', x=38.50, y=26.00, z=-75.06], EntityCreeper['Creeper'/34616, l='MpServer', x=38.50, y=29.00, z=-67.50], EntityCreeper['Creeper'/34617, l='MpServer', x=34.50, y=29.00, z=-69.50], EntityCreeper['Creeper'/35001, l='MpServer', x=28.09, y=34.00, z=-156.56], EntityCreeper['Creeper'/35002, l='MpServer', x=31.50, y=34.00, z=-156.50], EntityCow['Cow'/2878, l='MpServer', x=41.72, y=77.00, z=-117.50], EntityWitch['Witch'/55486, l='MpServer', x=44.47, y=68.00, z=-36.06], EntityCow['Cow'/2879, l='MpServer', x=35.13, y=68.00, z=-83.81], EntityWitch['Witch'/55487, l='MpServer', x=45.31, y=65.00, z=-32.69], EntityRabbit['Rabbit'/2880, l='MpServer', x=35.28, y=70.00, z=-74.59], EntityRabbit['Rabbit'/2881, l='MpServer', x=36.53, y=71.00, z=-53.63], EntityLunaMoth['Moth'/58179, l='MpServer', x=23.31, y=65.31, z=-135.34], EntityLunaMoth['Moth'/58180, l='MpServer', x=17.69, y=64.00, z=-122.84], EntityLunaMoth['Moth'/58181, l='MpServer', x=20.69, y=68.53, z=-123.69], EntityChicken['Chicken'/2758, l='MpServer', x=-67.56, y=75.00, z=-94.56], EntityLunaMoth['Moth'/58183, l='MpServer', x=12.47, y=65.00, z=-118.44], EntityPig['Pig'/2760, l='MpServer', x=-75.53, y=79.00, z=-75.31], EntityPig['Pig'/2761, l='MpServer', x=-74.84, y=81.00, z=-50.03], EntityCow['Cow'/2893, l='MpServer', x=48.88, y=66.00, z=-95.69], EntityRabbit['Rabbit'/2766, l='MpServer', x=-59.41, y=81.00, z=-156.88], EntityRabbit['Rabbit'/2894, l='MpServer', x=50.44, y=69.00, z=-76.47], EntityChicken['Chicken'/2767, l='MpServer', x=-52.59, y=80.00, z=-78.38], EntitySpider['Spider'/42065, l='MpServer', x=55.50, y=68.00, z=-36.50], EntityChicken['Chicken'/2778, l='MpServer', x=-46.84, y=70.00, z=-158.84], EntityChicken['Chicken'/2780, l='MpServer', x=-44.53, y=78.00, z=-111.56], EntityChicken['Chicken'/2782, l='MpServer', x=-12.63, y=78.00, z=-94.47], EntityChicken['Chicken'/2783, l='MpServer', x=-38.66, y=79.00, z=-91.41], EntityItem['item.item.egg'/57702, l='MpServer', x=-36.53, y=83.13, z=-90.06], Entity_SpecialSkeleton['Skeleton'/55532, l='MpServer', x=54.47, y=64.00, z=-35.13], EntityClientPlayerMP['Jamajick'/59492, l='MpServer', x=-23.07, y=83.16, z=-95.57], EntityItem['item.item.egg'/34031, l='MpServer', x=-22.69, y=81.13, z=-79.72], EntityCreeper['Creeper'/43642, l='MpServer', x=47.28, y=67.00, z=-24.66], EntityLunaMoth['Moth'/46588, l='MpServer', x=18.78, y=65.06, z=-124.63], EntityItem['item.item.egg'/47228, l='MpServer', x=-44.53, y=70.13, z=-157.22], EntityLunaMoth['Moth'/46589, l='MpServer', x=14.22, y=64.34, z=-121.44], EntityLunaMoth['Moth'/46590, l='MpServer', x=20.50, y=66.16, z=-126.34]]     Retry entities: 0 total; []     Server brand: fml,forge     Server type: Non-integrated multiplayer server Stacktrace:     at net.minecraft.client.multiplayer.WorldClient.func_72914_a(WorldClient.java:373)     at net.minecraft.client.Minecraft.func_71396_d(Minecraft.java:2444)     at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:6107)     at net.minecraft.client.main.Main.main(SourceFile:148)     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.7.10     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: 10882239080 bytes (10378 MB) / 13861650432 bytes (13219 MB) up to 13861650432 bytes (13219 MB)     JVM Flags: 3 total; -XX:HeapDumpPath=MojangTricksIntelDriversForPerformance_javaw.exe_minecraft.exe.heapdump -Xmx13g -Xms7g     AABB Pool Size: 0 (0 bytes; 0 MB) allocated, 0 (0 bytes; 0 MB) used     IntCache: cache: 0, tcache: 0, allocated: 0, tallocated: 0     FML: MCP v9.05 FML v7.10.99.99 Minecraft Forge 10.13.4.1614 319 mods loaded, 319 mods active     States: 'U' = Unloaded 'L' = Loaded 'C' = Constructed 'H' = Pre-initialized 'I' = Initialized 'J' = Post-initialized 'A' = Available 'D' = Disabled 'E' = Errored     UCHIJA    mcp{9.05} [Minecraft Coder Pack] (minecraft.jar)      UCHIJA    FML{7.10.99.99} [Forge Mod Loader] (forge-1.7.10-10.13.4.1614-1.7.10.jar)      UCHIJA    Forge{10.13.4.1614} [Minecraft Forge] (forge-1.7.10-10.13.4.1614-1.7.10.jar)      UCHIJA    appliedenergistics2-core{rv3-beta-6} [Applied Energistics 2 Core] (minecraft.jar)      UCHIJA    Aroma1997Core{1.0.2.16} [Aroma1997Core] (Aroma1997Core-1.7.10-1.0.2.16.jar)      UCHIJA    CartFixes{0.1.0} [Steve's Cart Fixes] (minecraft.jar)      UCHIJA    CodeChickenCore{1.1.11} [CodeChicken Core] (minecraft.jar)      UCHIJA    CropLoadCoreASM{0.0.2} [CroploadCore ASM Core] (minecraft.jar)      UCHIJA    ivtoolkit{1.2.1} [IvToolkit] (minecraft.jar)      UCHIJA    Micdoodlecore{} [Micdoodle8 Core] (minecraft.jar)      UCHIJA    NotEnoughItems{2.3.27-GTNH} [NotEnoughItems] (NotEnoughItems-2.3.27-GTNH.jar)      UCHIJA    OpenComputers|Core{@VERSION@} [OpenComputers (Core)] (minecraft.jar)      UCHIJA    MobiusCore{1.3.8-mapless} [MobiusCore] (minecraft.jar)      UCHIJA    PlayerAPI{1.4.2} [Player API] (minecraft.jar)      UCHIJA    ThE-core{1.0.0.1} [Thaumic Energistics Core] (minecraft.jar)      UCHIJA    ThaumicTinkerer-preloader{0.1} [Thaumic Tinkerer Core] (minecraft.jar)      UCHIJA    VillagerMetaFix{0.3} [VillagerMetaFix] (VillagerMetaFix-0.3.jar)      UCHIJA    ChocoPatcher{1.1} [Choco Patcher] (minecraft.jar)      UCHIJA    OpenModsCore{0.10.1} [OpenModsCore] (minecraft.jar)      UCHIJA    <CoFH ASM>{000} [CoFH ASM] (minecraft.jar)      UCHIJA    txloader{1.5} [TX Loader] (txloader-1.5.jar)      UCHIJA    NettyPatch_ASM{0.3.1} [NettyPatch_ASM] (minecraft.jar)      UCHIJA    debug{1.0} [debug] (denseores-1.6.2.jar)      UCHIJA    unimixins{0.1.6} [UniMixins] (!unimixins-all-1.7.10-0.1.6.jar)      UCHIJA    unimixins-mixin{0.1.6} [UniMixins: Mixin (UniMix)] (!unimixins-all-1.7.10-0.1.6.jar)      UCHIJA    unimixins-compat{0.1.6} [UniMixins: Compatibility] (!unimixins-all-1.7.10-0.1.6.jar)      UCHIJA    mixingasm{0.2.2} [UniMixins: Mixingasm] (!unimixins-all-1.7.10-0.1.6.jar)      UCHIJA    gtnhmixins{2.1.9} [UniMixins: GTNHMixins] (!unimixins-all-1.7.10-0.1.6.jar)      UCHIJA    spongemixins{2.0.1} [UniMixins: SpongeMixins] (!unimixins-all-1.7.10-0.1.6.jar)      UCHIJA    mixinbooterlegacy{1.2.1} [UniMixins: MixinBooterLegacy] (!unimixins-all-1.7.10-0.1.6.jar)      UCHIJA    gasstation{0.5.1} [UniMixins: GasStation] (!unimixins-all-1.7.10-0.1.6.jar)      UCHIJA    mixinextras{0.1.6} [UniMixins: MixinExtras] (!unimixins-all-1.7.10-0.1.6.jar)      UCHIJA    securitycraft{v1.8.13} [SecurityCraft] ([1.7.10] SecurityCraft v1.8.13.jar)      UCHIJA    bspkrsCore{6.16} [bspkrsCore] ([1.7.10]bspkrsCore-universal-6.16.jar)      UCHIJA    Treecapitator{1.7.10} [Treecapitator] ([1.7.10]Treecapitator-universal-2.0.4.jar)      UCHIJA    battlegear2{1.1.2.4} [Mine & Blade Battlegear 2] (battlegear2-1.1.2.4.jar)      UCHIJA    aether_legacy{v1.1.2.2} [The Aether] (aether-1.7.10-v1.1.2.2.jar)      UCHIJA    AppleCore{3.2.10} [AppleCore] (AppleCore-3.2.10.jar)      UCHIJA    appliedenergistics2{rv3-beta-6} [Applied Energistics 2] (appliedenergistics2-rv3-beta-6.jar)      UCHIJA    archaicfix{0.5.0} [ArchaicFix] (archaicfix-0.5.0.jar)      UCHIJA    ArchitectureCraft{1.7.6} [ArchitectureCraft] (ArchitectureCraft-1.7.10-1.7.6.jar)      UCHIJA    Aroma1997CoreHelper{1.0.2.16} [Aroma1997Core|Helper] (Aroma1997Core-1.7.10-1.0.2.16.jar)      UCHIJA    Aroma1997sDimension{1.0} [Aroma1997's Dimensional World] (Aroma1997s-Dimensional-World-1.7.10-1.1.0.1.jar)      UCHIJA    AromaBackup{0.1.0.0} [AromaBackup] (AromaBackup-1.7.10-0.1.0.0.jar)      UCHIJA    AromaBackupRecovery{1.0} [AromaBackup Recovery] (AromaBackup-1.7.10-0.1.0.0.jar)      UCHIJA    ascribe{1.7.10-0.1} [Ascribe] (Ascribe-1.7.10-0.1.jar)      UCHIJA    CoFHCore{1.7.10R3.1.4} [CoFH Core] (CoFHCore-[1.7.10]3.1.4-329.jar)      UCHIJA    asielib{0.4.9} [asielib] (AsieLib-1.7.10-0.4.9.jar)      UCHIJA    asmc{1.0.2} [ dASMC] (ASMC-1.7.10-1.0.2.jar)      UCHIJA    Baubles{1.0.1.10} [Baubles] (Baubles-1.7.10-1.0.1.10.jar)      UCHIJA    Thaumcraft{4.2.3.5} [Thaumcraft] (Thaumcraft-1.7.10-4.2.3.5.jar)      UCHIJA    Waila{1.5.10} [Waila] (Waila-1.5.10_1.7.10.jar)      UCHIJA    Automagy{0.28.2} [Automagy] (Automagy-1.7.10-0.28.2.jar)      UCHIJA    AWWayofTime{v1.3.3} [Blood Magic: Alchemical Wizardry] (BloodMagic-1.7.10-1.3.3-17.jar)      UCHIJA    Botania{r1.8-249} [Botania] (Botania r1.8-249.jar)      UCHIJA    Avaritia{1.34} [Avaritia] (Avaritia-1.34.jar)      UCHIJA    Backpack{2.0.1} [Backpack] (backpack-2.0.1-1.7.x.jar)      UCHIJA    bdlib{1.9.8-GTNH} [BD lib] (bdlib-1.7.10-1.9.8-GTNH.jar)      UCHIJA    BetterAchievements{0.1.3} [Better Achievements] (BetterAchievements-1.7.10-0.1.3.jar)      UCHIJA    betterbuilderswands{0.9.6-GTNH} [BetterBuildersWands] (BetterBuildersWands-1.7.10-0.9.6-GTNH.jar)      UCHIJA    bettercrashes{1.1.9-GTNH} [BetterCrashes] (bettercrashes-1.7.10-1.1.9-GTNH.jar)      UCHIJA    betterloadingscreen{1.3.39-GTNH} [Better Loading Screen GTNH] (betterloadingscreen-1.3.39-GTNH.jar)      UCHIJA    BiblioCraft{1.11.7} [BiblioCraft] (BiblioCraft[v1.11.7][MC1.7.10].jar)      UCHIJA    Mantle{1.7.10-0.3.2.jenkins191} [Mantle] (Mantle-1.7.10-0.3.2b.jar)      UCHIJA    ThermalFoundation{1.7.10R1.2.6} [Thermal Foundation] (ThermalFoundation-[1.7.10]1.2.6-118.jar)      UCHIJA    ForgeMultipart{1.2.0.347} [Forge Multipart] (ForgeMultipart-1.7.10-1.2.0.347-universal.jar)      UCHIJA    BuildCraft|Core{7.1.25} [BuildCraft] (buildcraft-7.1.25.jar)      UCHIJA    ExtraUtilities{1.2.12} [Extra Utilities] (extrautilities-1.2.12.jar)      UCHIJA    ThermalExpansion{1.7.10R4.1.5} [Thermal Expansion] (ThermalExpansion-[1.7.10]4.1.5-248.jar)      UCHIJA    TConstruct{1.9.25-GTNH} [Tinkers' Construct] (TConstruct-1.9.25-GTNH.jar)      UCHIJA    Natura{2.5.5} [Natura] (Natura-1.7.10-2.5.5.jar)      UCHIJA    BiomesOPlenty{2.1.0} [Biomes O' Plenty] (BiomesOPlenty-1.7.10-2.1.0.2308-universal.jar)      UCHIJA    BiblioWoodsBoP{1.9} [BiblioWoods Biomes O'Plenty Edition] (BiblioWoods[BiomesOPlenty][v1.9].jar)      UCHIJA    gtnhlib{0.0.13} [GTNH Lib] (gtnhlib-0.0.13.jar)      UCHIJA    HardcoreEnderExpansion{1.9.7-GTNH} [Hardcore Ender Expansion] (HardcoreEnderExpansion-1.7.10-1.9.7-GTNH.jar)      UCHIJA    IC2{2.2.827-experimental} [IndustrialCraft 2] (industrialcraft-2-2.2.827-experimental.jar)      UCHIJA    Forestry{4.6.0} [Forestry] (Forestry-4.6.0.jar)      UCHIJA    BiblioWoodsForestry{1.7} [BiblioWoods Forestry Edition] (BiblioWoods[Forestry][v1.7].jar)      UCHIJA    BiblioWoodsNatura{1.5} [BiblioWoods Natura Edition] (BiblioWoods[Natura][v1.5].jar)      UCHIJA    biggerpacketsplz{1.2} [Bigger Packets, please !] (biggerpacketsplz-upto1.7.10-1.2.jar)      UCHIJA    BigReactors{0.4.3A} [Big Reactors] (BigReactors-0.4.3A.jar)      UCHIJA    BinnieCore{2.0.22.7} [Binnie Core] (binnie-mods-1.7.10-2.0.22.7.jar)      UCHIJA    Botany{2.0.22.7} [Botany] (binnie-mods-1.7.10-2.0.22.7.jar)      UCHIJA    ExtraTrees{2.0.22.7} [Extra Trees] (binnie-mods-1.7.10-2.0.22.7.jar)      UCHIJA    Genetics{2.0.22.7} [Genetics] (binnie-mods-1.7.10-2.0.22.7.jar)      UCHIJA    ExtraBees{2.0.22.7} [Extra Bees] (binnie-mods-1.7.10-2.0.22.7.jar)      UCHIJA    YAMCore{0.5.84} [YAMCore] (YAMCore-1.7.10-0.5.84.jar)      UCHIJA    blocklimiter{0.55} [BlockLimiter. Restrict your Blocks] (BlockLimiter-1.7.10-0.55.jar)      UCHIJA    blockrenderer6343{1.0.0-RC7} [BlockRenderer6343] (blockrenderer6343-1.7.10-1.0.0-RC7.jar)      UCHIJA    ComputerCraft{1.75} [ComputerCraft] (ComputerCraft1.75.jar)      UCHIJA    ThaumicTinkerer{unspecified} [Thaumic Tinkerer] (ThaumicTinkerer-2.5-1.7.10-542.jar)      UCHIJA    ForbiddenMagic{1.7.10-0.575} [Forbidden Magic] (Forbidden Magic-1.7.10-0.575.jar)      UCHIJA    guideapi{1.7.10-1.0.1-20} [Guide-API] (Guide-API-1.7.10-1.0.1-20.jar)      UCHIJA    BloodArsenal{1.2.9} [Blood Arsenal] (BloodArsenal-1.7.10-1.2.9.jar)      UCHIJA    bookshelf{1.0.4.187} [Bookshelf] (Bookshelf-1.7.10-1.0.4.187.jar)      UCHIJA    BrandonsCore{1.0.0.13-GTNH} [Brandon's Core] (BrandonsCore-1.7.10-1.0.0.13-GTNH.jar)      UCHIJA    bugtorch{1.2.5GTNH} [BugTorch] (bugtorch-1.2.5GTNH.jar)      UCHIJA    BuildCraft|Builders{7.1.25} [BC Builders] (buildcraft-7.1.25.jar)      UCHIJA    BuildCraft|Robotics{7.1.25} [BC Robotics] (buildcraft-7.1.25.jar)      UCHIJA    BuildCraft|Silicon{7.1.25} [BC Silicon] (buildcraft-7.1.25.jar)      UCHIJA    BuildCraft|Energy{7.1.25} [BC Energy] (buildcraft-7.1.25.jar)      UCHIJA    BuildCraft|Transport{7.1.25} [BC Transport] (buildcraft-7.1.25.jar)      UCHIJA    BuildCraft|Factory{7.1.25} [BC Factory] (buildcraft-7.1.25.jar)      UCHIJA    BuildCraft|Compat{7.1.12} [BuildCraft Compat] (buildcraft-compat-1.7.10-7.1.12.jar)      UCHIJA    OilTweak{1.0.4} [BuildCraft Oil Tweak] (BuildCraftOilTweak-1.7.10-1.0.4.jar)      UCHIJA    catwalks{2.0.4} [Catwalks Mod] (catwalks-1.7.10-2.1.4-GTNH.jar)      UCHIJA    ChickenChunks{1.3.4.19} [ChickenChunks] (ChickenChunks-1.7.10-1.3.4.19-universal.jar)      UCHIJA    TwilightForest{2.3.8dev} [The Twilight Forest] (twilightforest-1.7.10-2.3.8.jar)      UCHIJA    chisel{2.9.5.11} [Chisel] (Chisel-2.9.5.11.jar)      UCHIJA    colorchat{1.7.2-0.1.0} [ColorChat] (colorchat-1.7.10-0.1.0-22.jar)      UCHIJA    compacter{1.2.1.15} [Compacter] (compacter-1.2.1.15-mc1.7.10.jar)      UCHIJA    compactkineticgenerators{1.7.10-1.0} [Compact Kinetic Wind and Water Generators] (CompactKineticGenerators-1.7.10-1.0.jar)      UCHIJA    CompactSolars{4.4.41.316} [Compact Solar Arrays] (CompactSolars-1.7.10-4.4.41.316-universal.jar)      UCHIJA    endercore{1.7.10-0.2.0.39_beta} [EnderCore] (EnderCore-1.7.10-0.2.0.39_beta.jar)      UCHIJA    EnderIO{1.7.10-2.3.0.429_beta} [Ender IO] (EnderIO-1.7.10-2.3.0.429_beta.jar)      UCHIJA    EnderStorage{1.4.7.38} [EnderStorage] (EnderStorage-1.7.10-1.4.7.38-universal.jar)      UCHIJA    MrTJPCoreMod{1.1.4} [MrTJPCore] (MrTJPCore-1.7.10-1.1.4.jar)      UCHIJA    ProjRed|Core{4.7.0pre12.95} [ProjectRed Core] (ProjectRed-1.7.10-4.7.0pre12.95-Base.jar)      UCHIJA    ProjRed|Transmission{4.7.0pre12.95} [ProjectRed Transmission] (ProjectRed-1.7.10-4.7.0pre12.95-Integration.jar)      UCHIJA    OpenComputers{1.8.0.13-GTNH} [OpenComputers] (OpenComputers-1.8.0.13-GTNH.jar)      UCHIJA    GalacticraftCore{3.0.12} [Galacticraft Core] (GalacticraftCore-1.7-3.0.12.504.jar)      UCHIJA    Mekanism{9.1.0} [Mekanism] (Mekanism-1.7.10-9.1.0.281.jar)      UCHIJA    computronics{1.6.19-GTNH} [Computronics] (Computronics-1.6.19-GTNH.jar)      UCHIJA    controlling{1.0.0.5} [Controlling] (controlling-1.0.0.5.jar)      UCHIJA    cookingbook{1.0.140} [Cooking for Blockheads] (cookingbook-mc1.7.10-1.0.140.jar)      UCHIJA    cookingforblockheads{1.2.14-GTNH} [Cooking For Blockheads] (CookingForBlockheads-1.2.14-GTNH.jar)      UCHIJA    coretweaks{0.3.0.3} [CoreTweaks] (CoreTweaks-1.7.10-0.3.0.3+nomixin.jar)      UCHIJA    creativecore{1.3.27-GTNH} [CreativeCore] (creativecore-1.7.10-1.3.27-GTNH.jar)      UCHIJA    DummyCore{1.15} [DummyCore] (DummyCore-1.7.10-1.15.jar)      UCHIJA    thaumicbases{1.4.33} [Thaumic Bases] (Thaumic-Based-1.4.33.jar)      UCHIJA    witchery{0.24.1} [Witchery] (witchery-1.7.10-0.24.1.jar)      UCHIJA    Ztones{1.7.10} [Ztones] (Ztones-1.7.10-2.2.2.jar)      UCHIJA    croploadcore{0.1.10} [CropLoadCore] (CropLoadCore-1.7.10-0.1.10.jar)      UCHIJA    berriespp{1.3.6.12} [Crops++] (CropsPP-1.7.10-1.3.6.12.jar)      UCHIJA    customnpcs{1.7.10d} [CustomNpcs] (CustomNPCs_1.7.10d(29oct17).jar)      UCHIJA    DeathCounter{4.0.0} [DeathCounter] (DeathCounter-4.0.0.jar)      UCHIJA    PTRModelLib{1.0.0} [PTRModelLib] (Decocraft-2.4.2_1.7.10.jar)      UCHIJA    props{2.4.2} [Decocraft] (Decocraft-2.4.2_1.7.10.jar)      UCHIJA    defaultserverlist{1.4.0} [DefaultServerList] (defaultserverlist-1.7.10-1.4.0.jar)      UCHIJA    DefenseTech{1.0.1} [DefenseTech] (DefenseTech-1.7.10-1.0.1.46.jar)      UCHIJA    ImmibisCore{59.1.4} [Immibis Core] (Immibis-Core-1.7.10.jar)      UCHIJA    DimensionalAnchors{59.0.3} [Dimensional Anchors] (dimensional-anchor-59.0.3.jar)      UCHIJA    doge{0.5.3} [Doge] (DogeMod-[1.7.10]-0.5.3.jar)      UCHIJA    DraconicEvolution{1.1.15-GTNH} [Draconic Evolution] (Draconic-Evolution-1.1.15-GTNH.jar)      UCHIJA    EMT{1.2.6.6} [Electro-Magic Tools] (ElectroMagicTools-1.2.6.7.1.7.10.jar)      UCHIJA    eplus{4.0.0..73} [Enchanting Plus] (EnchantingPlus-1.7.10-4.0.0.74.jar)      UCHIJA    EnderTech{1.7.10-0.3.2.405} [EnderTech] (EnderTech-1.7.10-0.3.2.405.jar)      UCHIJA    enhancedlootbags{1.0.8} [Enhanced LootBags] (EnhancedLootBags-1.0.8.jar)      UCHIJA    etfuturum{2.4.0} [ 5 oEt Futurum Requiem] (Et_Futurum_Requiem-2.4.0.jar)      UCHIJA    eternalsingularity{1.0.10} [Eternal Singularity] (eternalsingularity-1.0.10.jar)      UCHIJA    extracells{2.4.0} [Extra Cells 2] (ExtraCells-1.7.10-2.4.0.jar)      UCHIJA    GalacticraftMars{3.0.12} [Galacticraft Planets] (Galacticraft-Planets-1.7-3.0.12.504.jar)      UCHIJA    RedstoneArsenal{1.7.10R1.1.2} [Redstone Arsenal] (RedstoneArsenal-[1.7.10]1.1.2-92.jar)      UCHIJA    MagicBees{2.4.4} [Magic Bees] (magicbees-1.7.10-2.4.4.jar)      UCHIJA    gendustry{1.6.5.5-GTNH} [Gendustry] (gendustry-1.7.10-1.6.5.5-GTNH.jar)      UCHIJA    GraviSuite{1.7.10-2.0.3} [Graviation Suite] (GraviSuite-1.7.10-2.0.3.jar)      UCHIJA    gravisuiteneo{1.0.8} [Gravitation Suite Neo] (gravisuiteneo-1.0.8.jar)      UCHIJA    HardcoreDarkness{1.7} [Hardcore Darkness] (HardcoreDarkness-MC1.7.10-1.7.jar)      UCHIJA    harvestcraft{1.0.21-GTNH} [Pam's HarvestCraft] (harvestcraft-1.0.21-GTNH.jar)      UCHIJA    iChunUtil{4.2.3} [iChunUtil] (iChunUtil-4.2.3.jar)      UCHIJA    Hats{4.0.1} [Hats] (Hats-4.0.1.jar)      UCHIJA    HatStand{4.0.0} [HatStand] (HatStand-4.0.0.jar)      UCHIJA    HelpFixer{1.1.0} [HelpFixer] (HelpFixer-1.7.10-1.1.0.jar)      UCHIJA    hodgepodge{2.0.43} [Hodgepodge] (hodgepodge-2.0.43.jar)      UCHIJA    holoinventory{2.1.19-GTNH} [Holo Inventory] (holoinventory-1.7.10-2.1.19-GTNH.jar)      UCHIJA    HardcoreQuesting{4.4.4} [Hardcore Questing Mode] (HQM-The Journey-4.4.4.jar)      UCHIJA    Ic2Nei{1.2.1} [IC2 Crop Plugin] (IC2 Crop Plugin Version 1.7.10-1.3.1.jar)      UCHIJA    IC2NuclearControl{2.4.16} [Nuclear Control 2] (IC2NuclearControl-1.7.10-2.4.16.jar)      UCHIJA    InfernalMobs{1.7.7-GTNH} [Infernal Mobs] (InfernalMobs-1.7.10-1.7.7-GTNH.jar)      UCHIJA    LunatriusCore{1.1.7-GTNH} [LunatriusCore] (LunatriusCore-1.7.10-1.1.7-GTNH.jar)      UCHIJA    InGameInfoXML{2.8.3.96} [InGame Info XML] (InGameInfoXML-1.7.10-2.8.3.96.jar)      UCHIJA    inpure|core{1.7.10R1.0.0B9} [INpureCore] (INpureCore-[1.7.10]1.0.0B9-62.jar)      UCHIJA    InventoryPets{1.5.2} [Inventory Pets] (inventorypets-1.7.10-1.5.2-universal.jar)      UCHIJA    inventorytweaks{1.5.16} [Inventory Tweaks] (inventorytweaks-1.5.16.jar)      UCHIJA    IronChest{6.0.62.742} [Iron Chest] (ironchest-1.7.10-6.0.62.742-universal.jar)      UCHIJA    ironchestminecarts{1.0.8} [Iron Chest Minecarts] (IronChestMinecarts-1.7.10-1.0.8.jar)      UCHIJA    irontank{1.7.10-1.1.16.16} [Iron Tanks] (irontanks-1.7.10-1.1.16.16.jar)      UCHIJA    itlt{1.0.4} [It's the little things] (itlt-1.7.10-1.0.4.jar)      UCHIJA    JABBA{1.2.2} [JABBA] (Jabba-1.2.2_1.7.10.jar)      UCHIJA    journeymap{5.1.4p1} [JourneyMap] (journeymap-1.7.10-5.1.4p1-unlimited.jar)      UCHIJA    littletiles{1.2.7-GTNH} [LittleTiles] (littletiles-1.7.10-1.2.7-GTNH.jar)      UCHIJA    login_shield{1.7.10-2-gf6e21a7} [Login Shield] (Login_Shield-1.7.10-2-gf6e21a7.jar)      UCHIJA    LogisticsPipes{0.9.3.132} [Logistics Pipes] (logisticspipes-0.9.3.132.jar)      UCHIJA    lucky{5.1.0} [Lucky Block] (lucky-block-forge-1.7.10-1.0.jar)      UCHIJA    magicalcrops{4.0.0_PUBLIC_BETA_4b} [Magical Crops: Core] (magicalcrops-4.0.0_PUBLIC_BETA_5.jar)      UCHIJA    magicalcropsarmour{4.0.0_PUBLIC_BETA_4} [Magical Crops: Armoury] (magicalcropsarmoury-4.0.0_PUBLIC_BETA_4.jar)      UCHIJA    magicalcropsdeco{4.0.0_PUBLIC_BETA_4a} [Magical Crops: Decorative] (magicalcropsdeco-4.0.0_PUBLIC_BETA_4a.jar)      UCHIJA    malisiscore{0.14.7-GTNH} [Malisis Core] (malisiscore-0.14.7-GTNH.jar)      UCHIJA    MekanismGenerators{9.1.0} [MekanismGenerators] (MekanismGenerators-1.7.10-9.1.0.281.jar)      UCHIJA    MekanismTools{9.1.0} [MekanismTools] (MekanismTools-1.7.10-9.1.0.281.jar)      UCHIJA    MineMenu{1.2.0} [MineMenu] (MineMenu-1.7.10-1.2.0.B44-universal.jar)      UCHIJA    testdummy{1.0} [MmmMmmMmmMmm] (MmmMmmMmmMmm-1.7.10-1.9.jar)      UCHIJA    numina{1.7.10} [Numina] (Numina-0.4.1.106.jar)      UCHIJA    powersuits{1.7.10-0.11.1.117} [MachineMuse's Modular Powersuits] (ModularPowersuits-1.7.10-0.11.1.117.jar)      UCHIJA    modularui{1.0.71} [ModularUI] (modularui-1.0.71.jar)      UCHIJA    Morph{0.9.3} [Morph] (Morph-Beta-0.9.3.jar)      UCHIJA    MouseTweaks{2.4.8-GTNH} [Mouse Tweaks] (MouseTweaks-2.4.8-GTNH.jar)      UCHIJA    cfm{3.4.8} [ 9MrCrayfish's Furniture Mod] (MrCrayfishFurnitureModv3.4.8(1.7.10).jar)      UCHIJA    naturescompass{1.3.1} [Nature's Compass] (NaturesCompass-1.7.10-1.3.1.jar)      UCHIJA    necromancy{1.7.2} [Necromancy] (Necromancy-1.7.10a.jar)      UCHIJA    NEIAddons|ExNihilo{1.12.22} [NEI Addons: Ex Nihilo] (NEIAddons-1.7.10-1.12.22.jar)      UCHIJA    NEIAddons{1.12.22} [NEI Addons] (NEIAddons-1.7.10-1.12.22.jar)      UCHIJA    NEIAddons|Forestry{1.12.22} [NEI Addons: Forestry] (NEIAddons-1.7.10-1.12.22.jar)      UCHIJA    NEIAddons|AppEng{1.12.22} [NEI Addons: Applied Energistics 2] (NEIAddons-1.7.10-1.12.22.jar)      UCHIJA    NEIAddons|Botany{1.12.22} [NEI Addons: Botany] (NEIAddons-1.7.10-1.12.22.jar)      UCHIJA    NEIAddons|Developer{1.12.22} [NEI Addons: Developer Tools] (NEIAddons-1.7.10-1.12.22.jar)      UCHIJA    NEIAddons|CraftingTables{1.12.22} [NEI Addons: Crafting Tables] (NEIAddons-1.7.10-1.12.22.jar)      UCHIJA    neicustomdiagram{1.5.1} [NEI Custom Diagram] (NEICustomDiagram-1.5.1.jar)      UCHIJA    neiintegration{1.2.3} [NEIIntegration] (NEIIntegration-1.7.10-1.2.3.jar)      UCHIJA    netherlicious{3.2.8} [ 6Netherlicious] (netherlicious-3.2.8.jar)      UCHIJA    NetherOres{1.7.10R2.3.1} [Nether Ores] (NetherOres-[1.7.10]2.3.1-22.jar)      UCHIJA    netherportalfix{1.1.2} [Nether Portal Fix] (netherportalfix-1.7.10-1.1.2.jar)      UCHIJA    NettyPatch{0.3.1} [NettyPatch] (NettyPatch-1.7.10-0.3.1.jar)      UCHIJA    TaintedMagic{r7.6} [Tainted Magic] (Tainted-Magic-7.6.2-GTNH.jar)      UCHIJA    NodalMechanics{1.1.-6-GTNH} [NodalMechanics] (NodalMechanics-1.7.10-1.1.-6-GTNH.jar)      UCHIJA    recipehandler{1.7.10} [NoMoreRecipeConflict] (NoMoreRecipeConflict-0.3(1.7.10).jar)      UCHIJA    notenoughIDs{1.4.6} [notenoughIDs] (notenoughIDs-1.7.10-1.4.6.jar)      UCHIJA    neresources{0.1.0.ManuallyBuilt} [Not Enough Resources] (NotEnoughResources-1.7.10-0.1.0-128.jar)      UCHIJA    oauth{1.06.1-GTNH} [OAuth] (oauth-1.7.10-1.06.1-GTNH.jar)      UCHIJA    ObsidiPlates{3.0.0.18} [ObsidiPlates] (ObsidiPlates-1.7.10-universal-3.0.0.18.jar)      UCHIJA    openglasses{1.2.5-GTNH} [OC Glasses] (OpenGlasses-1.7.10-1.2.5-GTNH.jar)      UCHIJA    OpenMods{0.10.1} [OpenMods] (OpenModsLib-1.7.10-0.10.1.jar)      UCHIJA    openmodularturrets{2.2.11-245} [Open Modular Turrets] (OpenModularTurrets-1.7.10-2.2.11-245.jar)      UCHIJA    OpenPeripheralCore{1.4} [OpenPeripheralCore] (OpenPeripheral-1.7.10-AIO-8.jar)      UCHIJA    OpenPeripheralIntegration{0.6} [OpenPeripheralIntegration] (OpenPeripheral-1.7.10-AIO-8.jar)      UCHIJA    OpenPeripheral{0.6} [OpenPeripheralAddons] (OpenPeripheral-1.7.10-AIO-8.jar)      UCHIJA    opensecurity{1.0.120-GTNH} [OpenSecurity] (opensecurity-1.7.10-1.0.120-GTNH.jar)      UCHIJA    Opis{1.3.8-mapless} [Opis] (Opis-1.7.10-1.3.8-mapless.jar)      UCHIJA    OreSpawn{1.7.10.20} [OreSpawn] (orespawn-1.7.10-20.0.jar)      UCHIJA    overloadedarmorbar{1.0.1} [Overloaded Armor Bar] (overloadedarmorbar-1.7.10-1.0.1.jar)      UCHIJA    p455w0rdslib{1.0.4} [p455w0rd's Library] (p455w0rdslib-1.7.10-1.0.4.jar)      UCHIJA    harvestthenether{1.7.10} [Pam's Harvest the Nether] (Pam_s Harvest the Nether 1.7.10a.jar)      UCHIJA    personalspace{1.0.23} [PersonalSpace] (personalspace-1.0.23.jar)      UCHIJA    PneumaticCraft{1.12.7-152} [PneumaticCraft] (PneumaticCraft-1.7.10-1.12.7-152-universal.jar)      UCHIJA    PortalGun{4.0.0-beta-6} [PortalGun] (PortalGun-4.0.0-beta-6-fix-1.jar)      UCHIJA    progressiveautomation{1.6.35} [Progressive Automation] (ProgressiveAutomation-1.7.10-1.6.35.jar)      UCHIJA    ProjectE{1.7.10-PE1.10.1} [ProjectE] (ProjectE-1.7.10-PE1.10.1.jar)      UCHIJA    ProjRed|Transportation{4.7.0pre12.95} [ProjectRed Transportation] (ProjectRed-1.7.10-4.7.0pre12.95-Mechanical.jar)      UCHIJA    ProjRed|Exploration{4.7.0pre12.95} [ProjectRed Exploration] (ProjectRed-1.7.10-4.7.0pre12.95-World.jar)      UCHIJA    ProjRed|Compatibility{4.7.0pre12.95} [ProjectRed Compatibility] (ProjectRed-1.7.10-4.7.0pre12.95-Compat.jar)      UCHIJA    ProjRed|Integration{4.7.0pre12.95} [ProjectRed Integration] (ProjectRed-1.7.10-4.7.0pre12.95-Integration.jar)      UCHIJA    ProjRed|Fabrication{4.7.0pre12.95} [ProjectRed Fabrication] (ProjectRed-1.7.10-4.7.0pre12.95-Fabrication.jar)      UCHIJA    ProjRed|Illumination{4.7.0pre12.95} [ProjectRed Illumination] (ProjectRed-1.7.10-4.7.0pre12.95-Lighting.jar)      UCHIJA    ProjRed|Expansion{4.7.0pre12.95} [ProjectRed Expansion] (ProjectRed-1.7.10-4.7.0pre12.95-Mechanical.jar)      UCHIJA    qCraft{1.7.10-1.2.2} [qCraft] (qCraft-1.7.10-1.2.2.jar)      UCHIJA    RandomThings{2.4.3} [RandomThings] (RandomThings-1.7.10-2.4.3.jar)      UCHIJA    reccomplex{0.9.7.1.1} [Recurrent Complex] (RecurrentComplex-0.9.7.1.1.jar)      UCHIJA    RefinedRelocation{1.1.34} [Refined Relocation] (RefinedRelocation-mc1.7.10-1.1.34.jar)      UCHIJA    libsandstone{1.0.0} [libsandstone] (Reliquary-1.7.10-1.2.1.483.jar)      UCHIJA    xreliquary{1.2} [Reliquary] (Reliquary-1.7.10-1.2.1.483.jar)      UCHIJA    RIO{2.4.8} [RemoteIO] (RemoteIO-1.7.10-2.4.8.jar)      UCHIJA    Roguelike{1.5.0} [Roguelike Dungeons] (roguelike-1.7.10-1.5.0b.jar)      UCHIJA    RWG{alpha-1.3.3.2} [Realistic World Gen Alpha] (RWG-1.7.10-alpha-1.3.3.2.jar)      UCHIJA    Schematica{1.9.2-GTNH} [Schematica] (Schematica-1.7.10-1.9.2-GTNH.jar)      UCHIJA    SetNow{1.7.10-1.0.0-3} [SetNow] (SetNow-1.7.10-1.0.0-3.jar)      UCHIJA    SGCraft{1.3.13-GTNH} [SG Craft] (SGCraft-1.7.10-1.3.13-GTNH.jar)      UCHIJA    simplyjetpacks{1.5.3} [Simply Jetpacks] (SimplyJetpacks-MC1.7.10-1.5.3.jar)      UCHIJA    spatialio-compat{build-9} [Spatial IO Compat] (spatialiocompat-build-9.jar)      UCHIJA    SpecialMobs{3.3.15} [Special Mobs] (SpecialMobs-3.3.15.jar)      UCHIJA    SpiceOfLife{2.0.9-carrot} [The Spice of Life - Carrot Edition] (SpiceOfLife-2.0.9-carrot.jar)      UCHIJA    StacksOnStacks{{$version}} [Stacks on Stacks!] (StacksOnStacks-1.7.10-2.1.0.jar)      UCHIJA    statues{2.1.4} [Statues] (statues-1.7.10-2.1.4.jar)      UCHIJA    statuesmodfix{1.0b} [StatuesMod Fix] (statuesmodfix-1.0b.jar)      UCHIJA    StevesFactoryManager{1.1.7-GTNH} [Steve's Factory Manager] (StevesFactoryManager-1.1.7-GTNH.jar)      UCHIJA    StevesAddons{0.10.16} [Steve's Addons] (StevesAddons-1.7.10-0.10.16.jar)      UCHIJA    StevesCarts{2.0.2} [Steve's Carts 2] (StevesCarts-1.7.10-2.0.2.jar)      UCHIJA    StevesWorkshop{0.5.1} [Steve's Workshop] (StevesWorkshop-0.5.1.jar)      UCHIJA    StorageDrawers{1.11.20-GTNH} [Storage Drawers] (StorageDrawers-1.11.20-GTNH.jar)      UCHIJA    StorageDrawersBop{1.11.17-GTNH} [Storage Drawers: Biomes O' Plenty Pack] (StorageDrawersBop-1.7.10-1.11.17-GTNH.jar)      UCHIJA    StorageDrawersForestry{1.11.17-GTNH} [Storage Drawers: Forestry Pack] (StorageDrawersForestry-1.7.10-1.11.17-GTNH.jar)      UCHIJA    StorageDrawersMisc{1.11.18-GTNH} [Storage Drawers: Misc Pack] (StorageDrawersMisc-1.7.10-1.11.18-GTNH.jar)      UCHIJA    StorageDrawersNatura{1.11.17-GTNH} [Storage Drawers: Natura Pack] (StorageDrawersNatura-1.7.10-1.11.17-GTNH.jar)      UCHIJA    structurecompat{0.3.0} [StructureCompat] (structurecompat-1.7.10-0.3.0.jar)      UCHIJA    structurelib{1.2.6} [StructureLib] (structurelib-1.2.6.jar)      UCHIJA    SuperTic{1.2.5} [SuperTic] (SuperTic-1.7.10-1.2.5.jar)      UCHIJA    SwordPedestal{1.0(1.7.10)} [Sword Pedestal] (Sword-Pedestal-Mod-1.7.10.jar)      UCHIJA    Sync{4.0.1} [Sync] (Sync-4.0.1.jar)      UCHIJA    tcinventoryscan{1.0.12-GTNH} [TC Inventory Scanning] (tcinventoryscan-1.7.10-1.0.12-GTNH.jar)      UCHIJA    thaumcraftneiplugin{@VERSION@} [Thaumcraft NEI Plugin] (thaumcraftneiplugin-1.7.10-1.7a.jar)      UCHIJA    tcneiadditions{1.1.1.10} [Thaumcraft NEI Additions] (tcneiadditions-1.1.1.10.jar)      UCHIJA    tcnodetracker{1.1.7} [TC Node Tracker] (tcnodetracker-1.7.10-1.1.7.jar)      UCHIJA    tc4tweak{1.5.15} [TC4 Tweak] (Thaumcraft4Tweaks-1.5.15.jar)      UCHIJA    ThaumcraftMobAspects{1.0.0-GTNH} [Thaumcraft Mob Aspects] (ThaumcraftMobAspects-1.7.10-1.0.0-GTNH.jar)      UCHIJA    ThaumicMachina{0.2.1} [Thaumic Machina] (Thaumic Machina-1.7.10-0.2.1.jar)      UCHIJA    ThaumicExploration{1.1.94-GTNH} [Thaumic Exploration] (Thaumic-Exploration-1.7.10-1.1.94-GTNH.jar)      UCHIJA    thaumicenergistics{1.1.3.0} [Thaumic Energistics] (thaumicenergistics-1.1.3.0.jar)      UCHIJA    ThaumicHorizons{1.2.1.12} [ThaumicHorizons] (ThaumicHorizons-1.2.1.12.jar)      UCHIJA    thaumicinsurgence{0.1.4} [Thaumic Insurgence] (thaumicinsurgence-0.1.4.jar)      UCHIJA    ThermalDynamics{1.7.10R1.2.1} [Thermal Dynamics] (ThermalDynamics-[1.7.10]1.2.1-172.jar)      UCHIJA    TiCTooltips{1.2.10} [TiC Tooltips] (TiCTooltips-1.7.10-1.2.10.jar)      UCHIJA    tinkersdefense{1.2} [Tinkers' Defense] (Tinkers-Defense-1.2.1d.jar)      UCHIJA    TMechworks{0.2.15.106} [Tinkers' Mechworks] (TMechworks-1.7.10-0.2.15.106.jar)      UCHIJA    TML{4.1.0-GTNH} [TooMuchLoot] (TooMuchLoot-1.7.10-4.1.0-GTNH.jar)      UCHIJA    torohealthmod{1.0.1} [ToroHealth Damage Indicators] (torohealth-1.7.10-1.0.1.jar)      UCHIJA    Translocator{1.1.2.16} [Translocator] (Translocator-1.7.10-1.1.2.16-universal.jar)      UCHIJA    travellersgearneo{1.0} [TravellersGearNeo] (travellersgearneo-1.0.jar)      UCHIJA    universalsingularities{8.6.6} [UniversalSingularities] (Universal-Singularities-8.6.6.jar)      UCHIJA    WailaHarvestability{1.1.10-GTNH} [Waila Harvestability] (WailaHarvestability-1.7.10-1.1.10-GTNH.jar)      UCHIJA    wailaplugins{0.2.6} [WAILA Plugins] (WAILAPlugins-0.2.6.jar)      UCHIJA    wanionlib{1.8.4} [WanionLib] (WanionLib-1.8.4.jar)      UCHIJA    warpbook{2.0.null} [Warp Book] (warpbook-1.7.10_2.0.37.jar)      UCHIJA    WarpTheory{1.2.12-GTNH} [WarpTheory] (WarpTheory-1.2.12-GTNH.jar)      UCHIJA    wawla{1.1.3-GTNH} [What Are We Looking At] (Wawla-1.7.10-1.1.3-GTNH.jar)      UCHIJA    waystones{1.0.4} [Waystones] (Waystones-mc1.7.10-1.0.4.jar)      UCHIJA    WR-CBE|Core{1.4.1.11} [WR-CBE Core] (WR-CBE-1.7.10-1.4.1.11-universal.jar)      UCHIJA    WR-CBE|Addons{1.4.1.11} [WR-CBE Addons] (WR-CBE-1.7.10-1.4.1.11-universal.jar)      UCHIJA    WR-CBE|Logic{1.4.1.11} [WR-CBE Logic] (WR-CBE-1.7.10-1.4.1.11-universal.jar)      UCHIJA    Your Records Mod{Alpha} [ aYour Records Mod] (Your-Records-Mod-1.7.10.jar)      UCHIJA    zettaindustries{1.1} [Zetta Industries] (zettaindustries-1.1-120.jar)      UCHIJA    ForgeMicroblock{1.2.0.347} [Forge Microblocks] (ForgeMultipart-1.7.10-1.2.0.347-universal.jar)      UCHIJA    McMultipart{1.2.0.347} [Minecraft Multipart Plugin] (ForgeMultipart-1.7.10-1.2.0.347-universal.jar)      UCHIJA    ForgeRelocation{0.0.1.4} [ForgeRelocation] (ForgeRelocation-1.7.10-0.0.1.4-universal.jar)      UCHIJA    MCFrames{1.0} [MCFrames] (ForgeRelocation-1.7.10-0.0.1.4-universal.jar)      UCHIJA    RelocationFMP{0.0.1.2} [RelocationFMP] (ForgeRelocationFMP-1.7.10-0.0.1.2-universal.jar)      UCHIJA    ServerTools{1.7.10-2.2.0.79} [ServerTools] (ServerTools-CORE-1.7.10-2.2.0.79.jar)      UCHIJA    aobd{2.9.2} [Another One Bites The Dust] (AOBD-2.9.2.jar)      UCHIJA    denseores{1.0} [Dense Ores] (denseores-1.6.2.jar)      UCHIJA    HungerOverhaul{1.0.4-GTNH} [Hunger Overhaul] (HungerOverhaul-1.7.10-1.0.4-GTNH.jar)      UCHIJA    UniDict{1.7.10-2.9.2} [UniDict] (UniDict-1.7.10-2.9.2.jar)      OpenModsLib class transformers: [stencil_patches:FINISHED],[movement_callback:ACTIVATED],[player_damage_hook:FINISHED],[map_gen_fix:FINISHED],[gl_capabilities_hook:FINISHED],[player_render_hook:FINISHED]     Class transformer null safety: all safe     AE2 Version: beta rv3-beta-6 for Forge 10.13.4.1448     CoFHCore: -[1.7.10]3.1.4-329     Mantle Environment: Environment healthy.     ThermalFoundation: -[1.7.10]1.2.6-118     ThermalExpansion: -[1.7.10]4.1.5-248     RedstoneArsenal: -[1.7.10]1.1.2-92     NetherOres: -[1.7.10]2.3.1-22     Spatial IO Compat: erogenousbeef.core.multiblock.MultiblockTileEntityBase, cpw.mods.ironchest.TileEntityIronChest, thaumcraft.common.tiles.TileAlchemyFurnace, thaumcraft.common.tiles.TileAlembic, thaumcraft.common.tiles.TileArcaneBore, thaumcraft.common.tiles.TileArcaneFurnace, thaumcraft.common.tiles.TileArcaneLamp, thaumcraft.common.tiles.TileArcaneLampFertility, thaumcraft.common.tiles.TileArcaneLampGrowth, thaumcraft.common.tiles.TileArcaneLampLight, thaumcraft.common.tiles.TileArcaneWorkbench, thaumcraft.common.tiles.TileBellows, thaumcraft.common.tiles.TileBrainbox, thaumcraft.common.tiles.TileCentrifuge, thaumcraft.common.tiles.TileChestHungry, thaumcraft.common.tiles.TileCrucible, thaumcraft.common.tiles.TileCrystal, thaumcraft.common.tiles.TileDeconstrucionTable, thaumcraft.common.tiles.TileJar, thaumcraft.common.tiles.TileLifter, thaumcraft.common.tiles.TileMagicBox, thaumcraft.common.tiles.TileMagicWorkbench, thaumcraft.common.tiles.TileMirror, thaumcraft.common.tiles.TileMirrorEssentia, thaumcraft.common.tiles.TileNitor, thaumcraft.common.tiles.TileNode, thaumcraft.common.tiles.TileNodeStabilizer, thaumcraft.common.tiles.TileSensor, thaumcraft.common.tiles.TileTube, thaumcraft.common.tiles.TileTubeBuffer, thaumcraft.common.tiles.TileWandPedestal, thaumcraft.common.tiles.TileEldritchAltar, thaumcraft.common.tiles.TileEldritchCap, thaumcraft.common.tiles.TileEldritchObelisk, thaumcraft.common.tiles.TileEldritchPortal, thaumcraft.common.tiles.TileBanner, thaumcraft.common.tiles.TileGrate, thaumcraft.common.tiles.TileSpa     TC4Tweak signing signature: 473C3A397676978FF4877ABA2D57860DDA20E2FC, Built by: glease     ThermalDynamics: -[1.7.10]1.2.1-172     List of loaded APIs:          * AppleCoreAPI (3.2.10) from AppleCore-3.2.10.jar         * appliedenergistics2|API (rv3) from appliedenergistics2-rv3-beta-6.jar         * AromaBackupAPI (1.0) from AromaBackup-1.7.10-0.1.0.0.jar         * asielibAPI (1.1) from AsieLib-1.7.10-0.4.9.jar         * asielibAPI|chat (1.0) from AsieLib-1.7.10-0.4.9.jar         * asielibAPI|tile (1.0) from AsieLib-1.7.10-0.4.9.jar         * asielibAPI|tool (1.1) from AsieLib-1.7.10-0.4.9.jar         * BattlePlayer (0.1) from battlegear2-1.1.2.4.jar         * Baubles|API (1.0.1.4) from Reliquary-1.7.10-1.2.1.483.jar         * BetterAchievements|API (0.1.3) from BetterAchievements-1.7.10-0.1.3.jar         * BiomesOPlentyAPI (1.0.0) from BiomesOPlenty-1.7.10-2.1.0.2308-universal.jar         * BloodMagicAPI (1.3.3-13) from BloodMagic-1.7.10-1.3.3-17.jar         * BotaniaAPI (76) from Botania r1.8-249.jar         * BuildCraftAPI|blocks (1.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|blueprints (1.5) from buildcraft-7.1.25.jar         * BuildCraftAPI|boards (2.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|core (1.0) from extrautilities-1.2.12.jar         * BuildCraftAPI|crops (1.1) from buildcraft-7.1.25.jar         * BuildCraftAPI|events (2.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|facades (1.1) from buildcraft-7.1.25.jar         * BuildCraftAPI|filler (4.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|fuels (2.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|gates (4.1) from buildcraft-7.1.25.jar         * BuildCraftAPI|items (1.1) from buildcraft-7.1.25.jar         * BuildCraftAPI|library (2.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|lists (1.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|power (1.3) from buildcraft-7.1.25.jar         * BuildCraftAPI|recipes (3.1) from buildcraft-7.1.25.jar         * BuildCraftAPI|robotics (3.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|statements (1.1) from buildcraft-7.1.25.jar         * BuildCraftAPI|tablet (1.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|tiles (1.2) from buildcraft-7.1.25.jar         * BuildCraftAPI|tools (1.0) from buildcraft-7.1.25.jar         * BuildCraftAPI|transport (4.1) from buildcraft-7.1.25.jar         * ChiselAPI (0.1.1) from Chisel-2.9.5.11.jar         * ChiselAPI|Carving (0.1.1) from Chisel-2.9.5.11.jar         * ChiselAPI|Rendering (0.1.1) from Chisel-2.9.5.11.jar         * CoFHAPI (1.7.10R1.1.0) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHAPI|block (1.7.10R1.1.0) from ProgressiveAutomation-1.7.10-1.6.35.jar         * CoFHAPI|core (1.7.10R1.3.1) from CoFHCore-[1.7.10]3.1.4-329.jar         * CoFHAPI|energy (1.7.10R1.1.0) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHAPI|fluid (1.7.10R1.1.0) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHAPI|inventory (1.7.10R1.1.0) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHAPI|item (1.7.10R1.0.13) from EnderIO-1.7.10-2.3.0.429_beta.jar         * CoFHAPI|modhelpers (1.7.10R1.1.0) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHAPI|tileentity (1.7.10R1.0.13) from EnderIO-1.7.10-2.3.0.429_beta.jar         * CoFHAPI|transport (1.7.10R1.1.0) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHAPI|world (1.7.10R1.3.1) from CoFHCore-[1.7.10]3.1.4-329.jar         * CoFHLib (1.7.10R1.0.4B1) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHLib|audio (1.7.10R1.2.1) from CoFHCore-[1.7.10]3.1.4-329.jar         * CoFHLib|gui (1.7.10R1.0.4B1) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHLib|gui|container (1.7.10R1.0.4B1) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHLib|gui|element (1.7.10R1.2.1) from CoFHCore-[1.7.10]3.1.4-329.jar         * CoFHLib|gui|element|listbox (1.7.10R1.0.4B1) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHLib|gui|slot (1.7.10R1.2.1) from CoFHCore-[1.7.10]3.1.4-329.jar         * CoFHLib|inventory (1.7.10R1.2.1) from CoFHCore-[1.7.10]3.1.4-329.jar         * CoFHLib|render (1.7.10R1.0.4B1) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHLib|render|particle (1.7.10R1.0.4B1) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHLib|util (1.7.10R1.2.1) from CoFHCore-[1.7.10]3.1.4-329.jar         * CoFHLib|util|helpers (1.7.10R1.2.1) from CoFHCore-[1.7.10]3.1.4-329.jar         * CoFHLib|util|position (1.7.10R1.0.4B1) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHLib|world (1.7.10R1.0.4B1) from EnderTech-1.7.10-0.3.2.405.jar         * CoFHLib|world|feature (1.7.10R1.0.4B1) from EnderTech-1.7.10-0.3.2.405.jar         * ComputerCraft|API (1.75) from ComputerCraft1.75.jar         * ComputerCraft|API|FileSystem (1.75) from ComputerCraft1.75.jar         * ComputerCraft|API|Lua (1.75) from ComputerCraft1.75.jar         * ComputerCraft|API|Media (1.75) from ComputerCraft1.75.jar         * ComputerCraft|API|Peripheral (1.75) from ComputerCraft1.75.jar         * ComputerCraft|API|Permissions (1.75) from ComputerCraft1.75.jar         * ComputerCraft|API|Redstone (1.75) from ComputerCraft1.75.jar         * ComputerCraft|API|Turtle (1.75) from ComputerCraft1.75.jar         * computronicsAPI (1.3) from Computronics-1.6.19-GTNH.jar         * computronicsAPI|audio (1.0) from Computronics-1.6.19-GTNH.jar         * computronicsAPI|chat (1.3) from Computronics-1.6.19-GTNH.jar         * computronicsAPI|multiperipheral (1.1) from Computronics-1.6.19-GTNH.jar         * computronicsAPI|tape (1.0) from Computronics-1.6.19-GTNH.jar         * CSLib|API (0.3.0) from Decocraft-2.4.2_1.7.10.jar         * DraconicEvolution|API (1.2) from Draconic-Evolution-1.1.15-GTNH.jar         * DualWield (0.1) from battlegear2-1.1.2.4.jar         * EnderIOAPI (0.0.2) from EnderIO-1.7.10-2.3.0.429_beta.jar         * EnderIOAPI|Redstone (0.0.2) from EnderIO-1.7.10-2.3.0.429_beta.jar         * EnderIOAPI|Teleport (0.0.2) from EnderIO-1.7.10-2.3.0.429_beta.jar         * EnderIOAPI|Tools (0.0.2) from EnderIO-1.7.10-2.3.0.429_beta.jar         * ForestryAPI|apiculture (5.0.0) from Forestry-4.6.0.jar         * ForestryAPI|arboriculture (4.2.1) from Forestry-4.6.0.jar         * ForestryAPI|circuits (3.1.0) from Forestry-4.6.0.jar         * ForestryAPI|core (5.0.0) from Forestry-4.6.0.jar         * ForestryAPI|farming (2.1.0) from Forestry-4.6.0.jar         * ForestryAPI|food (1.1.0) from Forestry-4.6.0.jar         * ForestryAPI|fuels (2.0.1) from Forestry-4.6.0.jar         * ForestryAPI|genetics (4.7.1) from Forestry-4.6.0.jar         * ForestryAPI|hives (4.1.0) from Forestry-4.6.0.jar         * ForestryAPI|lepidopterology (1.3.0) from Forestry-4.6.0.jar         * ForestryAPI|mail (3.0.0) from Forestry-4.6.0.jar         * ForestryAPI|multiblock (3.0.0) from Forestry-4.6.0.jar         * ForestryAPI|recipes (5.4.0) from Forestry-4.6.0.jar         * ForestryAPI|storage (3.0.0) from Forestry-4.6.0.jar         * ForestryAPI|world (2.1.0) from Forestry-4.6.0.jar         * ForgeRelocation|API (0.0.1.4) from ForgeRelocation-1.7.10-0.0.1.4-universal.jar         * Galacticraft API (1.0) from GalacticraftCore-1.7-3.0.12.504.jar         * gendustryAPI (2.3.0) from gendustry-1.7.10-1.6.5.5-GTNH.jar         * Guide-API|API (1.7.10-1.0.1-20) from Guide-API-1.7.10-1.0.1-20.jar         * Heraldry (alpha) from battlegear2-1.1.2.4.jar         * IC2API (1.0) from industrialcraft-2-2.2.827-experimental.jar         * inpure|api (1.7) from INpureCore-[1.7.10]1.0.0B9-62.jar         * MekanismAPI|core (9.0.0) from Mekanism-1.7.10-9.1.0.281.jar         * MekanismAPI|energy (9.0.0) from Mekanism-1.7.10-9.1.0.281.jar         * MekanismAPI|gas (9.0.0) from Mekanism-1.7.10-9.1.0.281.jar         * MekanismAPI|infuse (9.0.0) from Mekanism-1.7.10-9.1.0.281.jar         * MekanismAPI|laser (9.0.0) from Mekanism-1.7.10-9.1.0.281.jar         * MekanismAPI|reactor (9.0.0) from Mekanism-1.7.10-9.1.0.281.jar         * MekanismAPI|recipe (9.0.0) from Mekanism-1.7.10-9.1.0.281.jar         * MekanismAPI|transmitter (9.0.0) from Mekanism-1.7.10-9.1.0.281.jar         * MekanismAPI|util (9.0.0) from Mekanism-1.7.10-9.1.0.281.jar         * neresources|API (1.0) from NotEnoughResources-1.7.10-0.1.0-128.jar         * NuclearControlAPI (v1.0.5) from IC2NuclearControl-1.7.10-2.4.16.jar         * OilTweakAPI (1.0.4) from BuildCraftOilTweak-1.7.10-1.0.4.jar         * OilTweakAPI|blacklist (1.0.0) from BuildCraftOilTweak-1.7.10-1.0.4.jar         * OpenComputersAPI|Component (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|Core (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|Driver (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|Driver|Item (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|Event (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|FileSystem (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|Internal (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|Machine (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|Manual (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|Network (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenComputersAPI|Prefab (6.0.0-alpha) from OpenComputers-1.8.0.13-GTNH.jar         * OpenPeripheralAddonsApi (1.0) from OpenPeripheral-1.7.10-AIO-8.jar         * OpenPeripheralApi (3.4.2) from OpenPeripheral-1.7.10-AIO-8.jar         * PneumaticCraftApi (1.0) from PneumaticCraft-1.7.10-1.12.7-152-universal.jar         * ProjectEAPI (7) from ProjectE-1.7.10-PE1.10.1.jar         * Quiver (0.2) from battlegear2-1.1.2.4.jar         * RefinedRelocationAPI (1.0.0) from RefinedRelocation-mc1.7.10-1.1.34.jar         * SchematicaAPI (1.1) from Schematica-1.7.10-1.9.2-GTNH.jar         * SchematicaAPI|Events (1.1) from Schematica-1.7.10-1.9.2-GTNH.jar         * SecurityCraftAPI (1.2.2) from [1.7.10] SecurityCraft v1.8.13.jar         * Shield (0.1) from battlegear2-1.1.2.4.jar         * StorageDrawersAPI (1.7.10-1.2.0) from StorageDrawers-1.11.20-GTNH.jar         * StorageDrawersAPI|config (1.7.10-1.2.0) from StorageDrawers-1.11.20-GTNH.jar         * StorageDrawersAPI|event (1.7.10-1.2.0) from StorageDrawers-1.11.20-GTNH.jar         * StorageDrawersAPI|inventory (1.7.10-1.2.0) from StorageDrawers-1.11.20-GTNH.jar         * StorageDrawersAPI|pack (1.7.10-1.2.0) from StorageDrawers-1.11.20-GTNH.jar         * StorageDrawersAPI|registry (1.7.10-1.2.0) from StorageDrawers-1.11.20-GTNH.jar         * StorageDrawersAPI|render (1.7.10-1.2.0) from StorageDrawers-1.11.20-GTNH.jar         * StorageDrawersAPI|storage (1.7.10-1.2.0) from StorageDrawers-1.11.20-GTNH.jar         * StorageDrawersAPI|storage-attribute (1.7.10-1.2.0) from StorageDrawers-1.11.20-GTNH.jar         * Thaumcraft|API (4.2.0.0) from Pam_s Harvest the Nether 1.7.10a.jar         * thaumicenergistics|API (1.1) from thaumicenergistics-1.1.3.0.jar         * WailaAPI (1.2) from Waila-1.5.10_1.7.10.jar         * Weapons (0.1) from battlegear2-1.1.2.4.jar     Chisel: Errors like "[FML]: Unable to lookup ..." are NOT the cause of this crash. You can safely ignore these errors. And update forge while you're at it.     EnderIO: Found the following problem(s) with your installation:                   * An unknown AE2 API is installed (rv3 from appliedenergistics2-rv3-beta-6.jar).                     Ender IO was build against API version rv2 and may or may not work with a newer version.                   * The RF API that is being used (1.7.10R1.3.1 from <unknown>) differes from that that is reported as being loaded (1.7.10R1.1.0 from EnderTech-1.7.10-0.3.2.405.jar).                     It is a supported version, but that difference may lead to problems.                  This may have caused the error. Try reproducing the crash WITHOUT this/these mod(s) before reporting it.     Stencil buffer state: Function set: GL30, pool: forge, bits: 8     AE2 Integration: IC2:ON, RotaryCraft:OFF, RC:OFF, BuildCraftCore:ON, BuildCraftTransport:ON, BuildCraftBuilder:ON, RF:ON, RFItem:ON, MFR:OFF, DSU:ON, FZ:OFF, FMP:ON, RB:OFF, CLApi:OFF, Waila:ON, InvTweaks:ON, NEI:ON, CraftGuide:OFF, Mekanism:ON, ImmibisMicroblocks:OFF, BetterStorage:OFF, OpenComputers:ON, PneumaticCraft:ON     Mixins in Stacktrace:          net.minecraft.client.network.NetHandlerPlayClient:             mixins.archaicfix.early.json:client.core.MixinNetHandlerPlayClient from mod archaicfix             mixins.bugtorch.early.json:minecraft.logcleanup.MixinNetHandlerPlayClient from mod bugtorch             mixins.modularui.json:NetHandlerPlayClientMixin from mod modularui             coretweaks.mixin.json:bugfix.restoretravelsound.MixinNetHandlerPlayClient from mod coretweaks         net.minecraft.client.Minecraft:             mixins.hodgepodge.early.json:minecraft.MixinMinecraft_UnfocusedFullscreen from mod hodgepodge             mixins.archaicfix.early.json:client.lighting.MixinMinecraft from mod archaicfix             mixins.bettercrashes.json:minecraft.MinecraftMixin from mod bettercrashes             mixins.hodgepodge.early.json:minecraft.MixinMinecraft_ToggleDebugMessage from mod hodgepodge             mixins.archaicfix.early.json:client.core.MixinMinecraft from mod archaicfix             mixins.hodgepodge.early.json:minecraft.MixinMinecraft_ResizableFullscreen from mod hodgepodge             mixins.hodgepodge.early.json:minecraft.profiler.MinecraftMixin from mod hodgepodge         net.minecraft.network.NetworkManager:             mixins.archaicfix.early.json:common.core.MixinNetworkManager from mod archaicfix     Suspected Mods: Unknown     Launched Version: forge-10.13.4.1614     LWJGL: 2.9.1     OpenGL: AMD Radeon(TM) Graphics GL version 4.6.0 Compatibility Profile Context 24.3.1.240216, ATI Technologies Inc.     GL Caps: Using GL 1.3 multitexturing. Using framebuffer objects because OpenGL 3.0 is supported and separate blending is supported. Anisotropic filtering is supported and maximum anisotropy is 16. Shaders are available because OpenGL 2.1 is supported.     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)     Vec3 Pool Size: 0 (0 bytes; 0 MB) allocated, 0 (0 bytes; 0 MB) used     Anisotropic Filtering: Off (1)     Client Crashes Since Restart: 2     Integrated Server Crashes Since Restart: 0
    • so i can load into minecraft but when i join it gives me an "minecraft ran into a problem and crashed" then says "the following mod(s) have been identified as potential causes: unknown
    • Looks like paste.ee is currently down - use https://mclo.gs/  
  • Topics

×
×
  • Create New...

Important Information

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