Jump to content

[1.7.10] Rotation on blocks resets when logging out


IvanTune

Recommended Posts

Hello there!

 

I'm trying to figure out why my blocks reset their rotation data when logging out.

It works fine while logged in, but when relogging all blocks face one direction.

 

I'm also doing proxy.registerTileEntities(); in main class in preInit.

 

Any help is very much appricated!

 

 

BlockCustomFurnace:

package com.IvanTune.futuregate.block;

import java.util.Random;

import javax.swing.Icon;

import com.IvanTune.futuregate.FutureGate;
import com.IvanTune.futuregate.init.ModBlocks;
import com.IvanTune.futuregate.reference.Reference;
import com.IvanTune.futuregate.tileentity.TileEntityCustomFurnace;

import cpw.mods.fml.relauncher.Side;
import cpw.mods.fml.relauncher.SideOnly;
import net.minecraft.block.Block;
import net.minecraft.block.BlockContainer;
import net.minecraft.block.material.Material;
import net.minecraft.client.renderer.texture.IIconRegister;
import net.minecraft.entity.EntityLivingBase;
import net.minecraft.entity.item.EntityItem;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.inventory.Container;
import net.minecraft.inventory.IInventory;
import net.minecraft.item.Item;
import net.minecraft.item.ItemStack;
import net.minecraft.nbt.NBTTagCompound;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.util.IIcon;
import net.minecraft.util.MathHelper;
import net.minecraft.world.World;

public class BlockCustomFurnace extends BlockContainer {

private Random rand = new Random();

private final boolean isActive;

private static boolean keepInventory;

public BlockCustomFurnace(boolean isActive) {
	super(Material.rock);

	this.isActive = isActive;
}

public int getRenderType() {
	return -1;
}

public boolean isOpaqueCube() {
	return false;
}

public boolean renderAsNormalBlock() {
	return false;
}


public Item getItemDropped(int par1, Random random, int par3) {
	return Item.getItemFromBlock(ModBlocks.blockCustomFurnaceIdle);
}

public boolean onBlockActivated(World world, int x, int y, int z, EntityPlayer player, int side, float hitX,
		float hitY, float hitZ) {
	if (world.isRemote) {
		return true;
	} else {
		TileEntityCustomFurnace tileentityCustomFurnace = (TileEntityCustomFurnace) world.getTileEntity(x, y, z);

		if (tileentityCustomFurnace != null) {
			player.openGui(FutureGate.instance, 0, world, x, y, z);

		}

		return true;
	}
}

public TileEntity createNewTileEntity(World world, int i) {
	return new TileEntityCustomFurnace();
}

@SideOnly(Side.CLIENT)
public void registerBlockIcons(IIconRegister iconRegister){
	this.blockIcon = iconRegister.registerIcon(Reference.MOD_ID + ":" + this.getUnlocalizedName().substring(5));
}

@SideOnly(Side.CLIENT)
public void randomDisplayTick(World world, int x, int y, int z, Random random) {
	if (this.isActive) {
		int direction = world.getBlockMetadata(x, y, z);

		float x1 = (float) x + 0.5F;
		float y1 = (float) ((float) y + random.nextInt(4) * 0.1);
		float z1 = (float) z + 0.5F;

		float f = 0.52F;
		float f1 = random.nextFloat() * 0.6F - 0.3F;

		if (direction == 4) {
			world.spawnParticle("smoke", (double) (x1 - f), (double) (y1), (double) (z1 + f1), 0.0D, 0.0D, 0.0D);
			world.spawnParticle("flame", (double) (x1 - f), (double) (y1), (double) (z1 + f1), 0.0D, 0.0D, 0.0D);
		} else if (direction == 5) {
			world.spawnParticle("smoke", (double) (x1 + f), (double) (y1), (double) (z1 + f1), 0.0D, 0.0D, 0.0D);
			world.spawnParticle("flame", (double) (x1 + f), (double) (y1), (double) (z1 + f1), 0.0D, 0.0D, 0.0D);
		} else if (direction == 2) {
			world.spawnParticle("smoke", (double) (x1 + f1), (double) (y1), (double) (z1 - f), 0.0D, 0.0D, 0.0D);
			world.spawnParticle("flame", (double) (x1 + f1), (double) (y1), (double) (z1 - f), 0.0D, 0.0D, 0.0D);
		} else if (direction == 3) {
			world.spawnParticle("smoke", (double) (x1 + f1), (double) (y1), (double) (z1 + f), 0.0D, 0.0D, 0.0D);
			world.spawnParticle("flame", (double) (x1 + f1), (double) (y1), (double) (z1 + f), 0.0D, 0.0D, 0.0D);
		}
	}
}

    @Override
    public void onBlockPlacedBy(World world, int i, int j, int k, EntityLivingBase entityliving, ItemStack itemStack)
    {
        int facing = MathHelper.floor_double((double) ((entityliving.rotationYaw * 4F) / 360F) + 0.5D) & 3;
        int newFacing = 0;
        if (facing == 0)
        {
        	newFacing = 2;
        }
        if (facing == 1)
        {
        	newFacing = 5;
        }
        if (facing == 2)
        {
        	newFacing = 3;
        }
        if (facing == 3)
        {
        	newFacing = 4;
        }
        TileEntity te = world.getTileEntity(i, j, k);
        if (te != null && te instanceof TileEntityCustomFurnace)
        {
        	TileEntityCustomFurnace tet = (TileEntityCustomFurnace) te;
            tet.setFacingDirection(newFacing);
            world.markBlockForUpdate(i, j, k);
        }
    }

public static void updateCustomFurnaceBlock(boolean active, World worldObj, int xCoord, int yCoord, int zCoord) {
	int i = worldObj.getBlockMetadata(xCoord, yCoord, zCoord);
	TileEntity tileentity = worldObj.getTileEntity(xCoord, yCoord, zCoord);
	keepInventory = true;

	if (active) {
		// places block in a different location when block activates //	worldObj.setBlock(xCoord, yCoord, zCoord, ModBlocks.blockCustomFurnaceActive);
	} else {
		worldObj.setBlock(xCoord, yCoord, zCoord, ModBlocks.blockCustomFurnaceIdle);
	}

	keepInventory = false;

	worldObj.setBlockMetadataWithNotify(xCoord, yCoord, zCoord, i, 2);

	if (tileentity != null) {
		tileentity.validate();
		worldObj.setTileEntity(xCoord, yCoord, zCoord, tileentity);
	}
}

public void breakBlock(World world, int x, int y, int z, Block oldBlock, int oldMetadata) {
	if (!keepInventory) {
		TileEntityCustomFurnace tileentity = (TileEntityCustomFurnace) world.getTileEntity(x, y, z);

		if (tileentity != null) {
			for (int i = 0; i < tileentity.getSizeInventory(); i++) {
				ItemStack itemstack = tileentity.getStackInSlot(i);

				if (itemstack != null) {
					float f = this.rand.nextFloat() * 0.8F + 0.1F;
					float f1 = this.rand.nextFloat() * 0.8F + 0.1F;
					float f2 = this.rand.nextFloat() * 0.8F + 0.1F;

					while (itemstack.stackSize > 0) {
						int j = this.rand.nextInt(21) + 10;

						if (j > itemstack.stackSize) {
							j = itemstack.stackSize;
						}

						itemstack.stackSize -= j;

						EntityItem item = new EntityItem(world, (double) ((float) x + f), (double) ((float) y + f1),
								(double) ((float) z + f2),
								new ItemStack(itemstack.getItem(), j, itemstack.getItemDamage()));

						if (itemstack.hasTagCompound()) {
							item.getEntityItem().setTagCompound((NBTTagCompound) itemstack.getTagCompound().copy());
						}

						float f3 = 0.05F;
						item.motionX = (double) ((float) this.rand.nextGaussian() * f3);
						item.motionY = (double) ((float) this.rand.nextGaussian() * f3 + 0.2F);
						item.motionZ = (double) ((float) this.rand.nextGaussian() * f3);

						world.spawnEntityInWorld(item);
					}

				}
			}

			world.func_147453_f(x, y, z, oldBlock);
		}
	}

	super.breakBlock(world, x, y, z, oldBlock, oldMetadata);
}

public boolean hasComparatorInputOverride() {
	return true;
}

public int getComparatorInputOverride(World world, int x, int y, int z, int i) {
	return Container.calcRedstoneFromInventory((IInventory) world.getTileEntity(x, y, z));
}

public Item getItem(World world, int x, int y, int z) {
	return Item.getItemFromBlock(ModBlocks.blockCustomFurnaceIdle);
}

}

 

TileEntityCustomFurnace:

package com.IvanTune.futuregate.tileentity;

import com.IvanTune.futuregate.block.BlockCustomFurnace;

import cpw.mods.fml.common.registry.GameRegistry;
import net.minecraft.block.Block;
import net.minecraft.block.material.Material;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.init.Blocks;
import net.minecraft.init.Items;
import net.minecraft.inventory.ISidedInventory;
import net.minecraft.item.Item;
import net.minecraft.item.ItemBlock;
import net.minecraft.item.ItemHoe;
import net.minecraft.item.ItemStack;
import net.minecraft.item.ItemSword;
import net.minecraft.item.ItemTool;
import net.minecraft.item.crafting.FurnaceRecipes;
import net.minecraft.nbt.NBTTagCompound;
import net.minecraft.nbt.NBTTagList;
import net.minecraft.tileentity.TileEntity;

public class TileEntityCustomFurnace extends TileEntity implements ISidedInventory {

private String localizedName;

private static final int[] slots_top = new int[] { 0 };
private static final int[] slots_bottom = new int[] { 2 };
private static final int[] slots_sides = new int[] { 1 };

public int getFacingDirection()
    {
        return facingDirection;
    }

public void setFacingDirection(int par1)
    {
        this.facingDirection = par1;
    }

private int facingDirection;

private ItemStack[] slots = new ItemStack[3];

public int furnaceSpeed = 100;

public int burnTime;

public int currentItemBurnTime;

public int cookTime;

public int getSizeInventory() {
	return this.slots.length;
}

public String getInventoryName() {
	return this.hasCustomInventoryName() ? this.localizedName : "container.customFurnace";
}

public boolean hasCustomInventoryName() {
	return this.localizedName != null && this.localizedName.length() > 0;
}

public void setGuiDisplayName(String displayName) {
	this.localizedName = displayName;

}

public ItemStack getStackInSlot(int i) {

	return this.slots[i];
}

public ItemStack decrStackSize(int i, int j) {
	if (this.slots[i] != null) {
		ItemStack itemstack;

		if (this.slots[i].stackSize <= j) {

			itemstack = this.slots[i];
			this.slots[i] = null;
			return itemstack;
		} else {
			itemstack = this.slots[i].splitStack(j);

			if (this.slots[i].stackSize == 0) {
				this.slots[i] = null;
			}

			return itemstack;
		}
	}

	return null;
}

public ItemStack getStackInSlotOnClosing(int i) {
	if (this.slots[i] != null) {
		ItemStack itemstack = this.slots[i];
		this.slots[i] = null;
		return itemstack;
	}

	return null;
}

public void setInventorySlotContents(int i, ItemStack itemstack) {
	this.slots[i] = itemstack;

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

public int getInventoryStackLimit() {

	return 64;
}

public void readFromNBT(NBTTagCompound nbt) {
	super.readFromNBT(nbt);
	facingDirection = nbt.getInteger("facingDirection");

	NBTTagList list = nbt.getTagList("Items", 10);
	this.slots = new ItemStack[this.getSizeInventory()];

	for (int i = 0; i < list.tagCount(); i++) {
		NBTTagCompound compound = (NBTTagCompound) list.getCompoundTagAt(i);
		byte b = compound.getByte("Slot");

		if (b >= 0 && b < this.slots.length) {
			this.slots[b] = ItemStack.loadItemStackFromNBT(compound);

		}
	}

	this.burnTime = (int) nbt.getShort("BurnTime");
	this.cookTime = (int) nbt.getShort("CookTime");
	this.currentItemBurnTime = (int) nbt.getShort("CurrentBurnTime");

	if (nbt.hasKey("CustomName")) {
		this.localizedName = nbt.getString("CustomName");
	}
}

public void writeToNBT(NBTTagCompound nbt) {
	super.writeToNBT(nbt);
	nbt.setInteger("facingDirection", facingDirection);

	nbt.setShort("BurnTime", (short) this.burnTime);
	nbt.setShort("CookTime", (short) this.cookTime);
	nbt.setShort("CurrentBurnTime", (short) this.currentItemBurnTime);

	NBTTagList list = new NBTTagList();

	for (int i = 0; i < this.slots.length; i++) {
		if (this.slots[i] != null) {
			NBTTagCompound compound = new NBTTagCompound();
			compound.setByte("Slot", (byte) i);
			this.slots[i].writeToNBT(compound);
			list.appendTag(compound);

		}

	}

	nbt.setTag("Items", list);

	if (this.hasCustomInventoryName()) {
		nbt.setString("CustomName", this.localizedName);
	}
}

public boolean isUseableByPlayer(EntityPlayer entityplayer) {

	return this.worldObj.getTileEntity(this.xCoord, this.yCoord, this.zCoord) != this ? false
			: entityplayer.getDistanceSq((double) this.xCoord + 0.5D, (double) this.yCoord + 0.5D,
					(double) this.zCoord + 0.5D) <= 64.0D;
}

public boolean isBurning() {
	return this.burnTime > 0;
}

public void updateEntity() {
	boolean flag = this.burnTime > 0;
	boolean flag1 = false;

	if (this.burnTime > 0) {
		this.burnTime--;
	}

	if (!this.worldObj.isRemote) {
		if (this.burnTime == 0 && this.canSmelt()) {
			this.currentItemBurnTime = this.burnTime = getItemBurnTime(this.slots[1]);

			if (this.burnTime > 0) {
				flag1 = true;

				if (this.slots[1] != null) {
					this.slots[1].stackSize--;

					if (this.slots[1].stackSize == 0) {
						this.slots[1] = this.slots[1].getItem().getContainerItem(this.slots[1]);

					}

				}
			}

		}

		if (this.isBurning() && this.canSmelt()) {
			this.cookTime++;

			if (this.cookTime == this.furnaceSpeed) {
				this.cookTime = 0;
				this.smeltItem();
				flag1 = true;
			}
		} else {
			this.cookTime = 0;
		}

		if (flag != this.burnTime > 0) {
			flag1 = true;
			BlockCustomFurnace.updateCustomFurnaceBlock(this.burnTime > 0, this.worldObj, this.xCoord, this.yCoord,
					this.zCoord);

		}
	}

	if (flag1) {
		this.markDirty();
	}

}

private boolean canSmelt() {
	if (this.slots[0] == null) {
		return false;
	} else {
		ItemStack itemstack = FurnaceRecipes.smelting().getSmeltingResult(this.slots[0]);

		if (itemstack == null) return false;
		if (this.slots[2] == null) return true;
		if (!this.slots[2].isItemEqual(itemstack)) return false;

		int result = this.slots[2].stackSize + itemstack.stackSize;

		return (result <= getInventoryStackLimit() && result <= itemstack.getMaxStackSize());
	}
}

public void smeltItem() {
	if (this.canSmelt()) {
		ItemStack itemstack = FurnaceRecipes.smelting().getSmeltingResult(this.slots[0]);

		if (this.slots[2] == null) {
			this.slots[2] = itemstack.copy();
		} else if (this.slots[2].isItemEqual(itemstack)) {
			this.slots[2].stackSize += itemstack.stackSize;
		}

		this.slots[0].stackSize--;

		if (this.slots[0].stackSize <= 0) {
			this.slots[0] = null;
		}
	}
}

public static int getItemBurnTime(ItemStack itemstack) {
	if (itemstack == null) {
		return 0;
	} else {
		Item item = itemstack.getItem();

		if (item instanceof ItemBlock && Block.getBlockFromItem(item) != Blocks.air) {
			Block block = Block.getBlockFromItem(item);

			if (block == Blocks.wooden_slab) {
				return 150;
			}

			if (block.getMaterial() == Material.wood) {
				return 300;
			}

			if (block == Blocks.coal_block) {
				return 16000;
			}
		}

		if (item instanceof ItemTool && ((ItemTool) item).getToolMaterialName().equals("WOOD"))
			return 200;
		if (item instanceof ItemSword && ((ItemSword) item).getToolMaterialName().equals("WOOD"))
			return 200;
		if (item instanceof ItemHoe && ((ItemHoe) item).getToolMaterialName().equals("WOOD"))
			return 200;
		if (item == Items.stick)
			return 100;
		if (item == Items.coal)
			return 1600;
		if (item == Items.lava_bucket)
			return 100;
		if (item == Item.getItemFromBlock(Blocks.sapling))
			return 100;
		if (item == Items.blaze_rod)
			return 100;

		return GameRegistry.getFuelValue(itemstack);
	}
}

public static boolean isItemFuel(ItemStack itemstack) {
	return getItemBurnTime(itemstack) > 0;
}

public boolean isItemValidForSlot(int i, ItemStack itemstack) {

	return i == 2 ? false : (i == 1 ? isItemFuel(itemstack) : true);
}

public int[] getAccessibleSlotsFromSide(int var1) {

	return var1 == 0 ? slots_bottom : (var1 == 1 ? slots_top : slots_sides);
}

public boolean canInsertItem(int i, ItemStack itemstack, int j) {

	return this.isItemValidForSlot(i, itemstack);
}

public boolean canExtractItem(int i, ItemStack itemstack, int j) {

	return j != 0 || i != 1 || itemstack.getItem() == Items.bucket;
}

public int getBurnTimeRemainingScaled(int i) {
	if (this.currentItemBurnTime == 0) {
		this.currentItemBurnTime = this.furnaceSpeed;

	}
	return this.burnTime * i / this.currentItemBurnTime;
}

public int getCookProgressScaled(int i) {
	return this.cookTime * i / this.furnaceSpeed;
}

public void openInventory() {
}

public void closeInventory() {
}

}

 

RendererCustomFurnace:

package com.IvanTune.futuregate.renderer;

import org.lwjgl.opengl.GL11;

import com.IvanTune.futuregate.FutureGate;
import com.IvanTune.futuregate.model.ModelCustomFurnace;
import com.IvanTune.futuregate.reference.Reference;
import com.IvanTune.futuregate.tileentity.TileEntityCustomFurnace;

import net.minecraft.block.Block;
import net.minecraft.client.renderer.OpenGlHelper;
import net.minecraft.client.renderer.Tessellator;
import net.minecraft.client.renderer.tileentity.TileEntitySpecialRenderer;
import net.minecraft.entity.Entity;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.util.ResourceLocation;
import net.minecraft.world.World;

public class RendererCustomFurnace extends TileEntitySpecialRenderer {

private static final ResourceLocation texture = new ResourceLocation(Reference.MOD_ID, "textures/model/customFurnace.png");

private ModelCustomFurnace model;

public RendererCustomFurnace(){
	this.model = new ModelCustomFurnace();
}	      
	   
    public void render(TileEntityCustomFurnace tileentity, double x, double y, double z, float f)
    {
    	GL11.glPushMatrix(); 	
        GL11.glTranslatef((float) x + 0.5F, (float) y + 1.5F, (float) z + 0.5F);
        this.bindTexture(texture);
        //Rotates model, as for some reason it is initially upside (180 = angle, 1.0F at end = about z axis)
        GL11.glRotatef(180, 0.0F, 0.0F, 1.0F);
        int facing = tileentity.getFacingDirection();
        int k = 0;
        //South
        if (facing == 2) {
            k = -90;
        }
        //North
        if (facing == 3) {
            k = 90;
        }
        //East
        if (facing == 4) {
            k = 180;
        }
        //West
        if (facing == 5) {
            k = 0;
        }
        //Rotates model on the spot, depending on direction, making the front always to player) (k = angle, 1.0F in middle = about y axis)
        GL11.glRotatef(k, 0.0F, 1.0F, 0.0F);
        GL11.glDisable(GL11.GL_CULL_FACE);
        GL11.glEnable(GL11.GL_ALPHA_TEST);
        this.model.render((Entity)null, 0.0F, 0.0F, -0.1F, 0.0F, 0.0F, 0.0625F);
        GL11.glPopMatrix();
	}

    
    public void renderTileEntityAt(TileEntity p_147500_1_, double p_147500_2_, double p_147500_4_, double p_147500_6_, float p_147500_8_)
    {
    	this.render((TileEntityCustomFurnace)p_147500_1_, p_147500_2_, p_147500_4_, p_147500_6_, p_147500_8_);
    }
}

 

Common proxy:

package com.IvanTune.futuregate.proxy;

import com.IvanTune.futuregate.tileentity.TileEntityCustomFurnace;
import com.IvanTune.futuregate.tileentity.TileEntityCustomMacerator;
import com.IvanTune.futuregate.tileentity.TileEntityTestBlock;

import cpw.mods.fml.common.registry.GameRegistry;

public abstract class CommonProxy
{

public abstract void init();

public abstract void preInit();

public abstract void postInit();

public void registerRenderThings(){

}

public void registerTileEntities(){

	GameRegistry.registerTileEntity(TileEntityCustomFurnace.class, "tileEntityCustomFurnace");
	GameRegistry.registerTileEntity(TileEntityCustomMacerator.class, "tileEntityCustomMacerator");
	GameRegistry.registerTileEntity(TileEntityTestBlock.class, "tileEntityTestBlock");
}

public void initRenderers() {

}

}

 

Client Proxy:

package com.IvanTune.futuregate.proxy;

import com.IvanTune.futuregate.FutureGate;
import com.IvanTune.futuregate.client.KeyInputHandler;
import com.IvanTune.futuregate.client.Keybindings;
import com.IvanTune.futuregate.client.RenderDroid;
import com.IvanTune.futuregate.entities.EntityDroid;
import com.IvanTune.futuregate.init.ModBlocks;
import com.IvanTune.futuregate.init.ModItems;
import com.IvanTune.futuregate.model.ModelDroid;
import com.IvanTune.futuregate.renderer.ItemRenderTestBlock;
import com.IvanTune.futuregate.renderer.ItemRendererCustomFurnace;
import com.IvanTune.futuregate.renderer.ItemRendererCustomMacerator;
import com.IvanTune.futuregate.renderer.RendererCustomFurnace;
import com.IvanTune.futuregate.renderer.RendererCustomMacerator;
import com.IvanTune.futuregate.renderer.RendererDroidItem;
import com.IvanTune.futuregate.renderer.RendererTestBlock;
import com.IvanTune.futuregate.tileentity.TileEntityCustomFurnace;
import com.IvanTune.futuregate.tileentity.TileEntityCustomMacerator;
import com.IvanTune.futuregate.tileentity.TileEntityTestBlock;

import cpw.mods.fml.client.registry.ClientRegistry;
import cpw.mods.fml.client.registry.RenderingRegistry;
import cpw.mods.fml.common.FMLCommonHandler;
import cpw.mods.fml.common.registry.GameRegistry;
import net.minecraft.client.renderer.tileentity.TileEntitySpecialRenderer;
import net.minecraft.item.Item;
import net.minecraftforge.client.IItemRenderer;
import net.minecraftforge.client.MinecraftForgeClient;

public class ClientProxy extends CommonProxy {


public void registerRenderThings(){
	//TestBlock
	TileEntitySpecialRenderer render = new RendererTestBlock();
	ClientRegistry.bindTileEntitySpecialRenderer(TileEntityTestBlock.class, render);
	MinecraftForgeClient.registerItemRenderer(Item.getItemFromBlock(ModBlocks.testBlock), new ItemRenderTestBlock(render, new TileEntityTestBlock()));

	//CustomFurnace
	TileEntitySpecialRenderer render1 = new RendererCustomFurnace();
	ClientRegistry.bindTileEntitySpecialRenderer(TileEntityCustomFurnace.class, render1);
	MinecraftForgeClient.registerItemRenderer(Item.getItemFromBlock(ModBlocks.blockCustomFurnaceIdle), new ItemRendererCustomFurnace(render1, new TileEntityCustomFurnace()));

	//CustomMacerator
	TileEntitySpecialRenderer render2 = new RendererCustomMacerator();
	ClientRegistry.bindTileEntitySpecialRenderer(TileEntityCustomMacerator.class, render2);
	MinecraftForgeClient.registerItemRenderer(Item.getItemFromBlock(ModBlocks.blockCustomMaceratorIdle), new ItemRendererCustomMacerator(render2, new TileEntityCustomMacerator()));
}

public void registerTileEntities(){

}


@Override
public void initRenderers() {
	ModelDroid model = new ModelDroid();
	RenderingRegistry.registerEntityRenderingHandler(EntityDroid.class, new RenderDroid(model));
	MinecraftForgeClient.registerItemRenderer(ModItems.droid, new RendererDroidItem(model));

	ClientRegistry.bindTileEntitySpecialRenderer(TileEntityCustomMacerator.class, new RendererCustomMacerator());
}

@Override
public void preInit() {
	registerKeybinds();
}

private void registerKeybinds() {
	FMLCommonHandler.instance().bus().register(new KeyInputHandler());
	for (Keybindings key : Keybindings.values()) {
		ClientRegistry.registerKeyBinding(key.getKeybind());
	}
}

@Override
public void init() {

}

@Override
public void postInit() {

}
}

Link to comment
Share on other sites

Thanks for reply!

 

Something like this right?

 

it keeps crashing on line 28:

int meta = world.getBlockMetadata(x, y, z);

 

I feel like this shouln't be that hard, but whatever I try it always seems to fail somehow, hehe.

 

RendererCustomFurnace

package com.IvanTune.futuregate.renderer;

import net.minecraft.block.Block;
import net.minecraft.client.Minecraft;
import net.minecraft.client.renderer.OpenGlHelper;
import net.minecraft.client.renderer.Tessellator;
import net.minecraft.client.renderer.tileentity.TileEntitySpecialRenderer;
import net.minecraft.entity.Entity;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.util.ResourceLocation;
import net.minecraft.world.World;
import com.IvanTune.futuregate.reference.Reference;

import org.lwjgl.opengl.GL11;

import com.IvanTune.futuregate.model.ModelCustomFurnace;

public class RendererCustomFurnace extends TileEntitySpecialRenderer {

    public final ModelCustomFurnace model;
    private static final ResourceLocation texture = new ResourceLocation(Reference.MOD_ID, "textures/model/customMacerator.png");

    public RendererCustomFurnace() {
        this.model = new ModelCustomFurnace();
    }

    private void adjustRotatePivotViaMeta(World world, int x, int y, int z) {
        int meta = world.getBlockMetadata(x, y, z);
        GL11.glRotatef(meta * (-90), 0.0F, 0.0F, 1.0F);
    }

    @Override
    public void renderTileEntityAt(TileEntity tileentity, double x, double y, double z, float scale) {
        GL11.glPushMatrix();
        GL11.glTranslatef((float) x + 0.5F, (float) y + 1.5F, (float) z + 0.5F);
        Minecraft.getMinecraft().renderEngine.bindTexture(texture);
        GL11.glPushMatrix();
        adjustRotatePivotViaMeta(tileentity.getWorldObj(), tileentity.xCoord, tileentity.yCoord, tileentity.zCoord);
        GL11.glRotatef(180F, 0.0F, 0.0F, 1.0F);
        model.render((Entity) null, 0.0F, 0.0F, -0.1F, 0.0F, 0.0F, 0.0625F);
        GL11.glPopMatrix();
        GL11.glPopMatrix();
    }
}

Link to comment
Share on other sites

Oops, sorry!

 

---- Minecraft Crash Report ----
// Why is it breaking 

Time: 13.08.15 21:16
Description: Rendering item

java.lang.NullPointerException: Rendering item
at net.minecraft.tileentity.TileEntity.getBlockMetadata(TileEntity.java:157)
at com.IvanTune.futuregate.renderer.RendererCustomFurnace.renderAModelAt(RendererCustomFurnace.java:34)
at com.IvanTune.futuregate.renderer.RendererCustomFurnace.renderTileEntityAt(RendererCustomFurnace.java:77)
at com.IvanTune.futuregate.renderer.ItemRendererCustomFurnace.renderItem(ItemRendererCustomFurnace.java:38)
at net.minecraftforge.client.ForgeHooksClient.renderInventoryItem(ForgeHooksClient.java:183)
at net.minecraft.client.renderer.entity.RenderItem.renderItemAndEffectIntoGUI(RenderItem.java:583)
at net.minecraft.client.gui.GuiIngame.renderInventorySlot(GuiIngame.java:973)
at net.minecraftforge.client.GuiIngameForge.renderHotbar(GuiIngameForge.java:209)
at net.minecraftforge.client.GuiIngameForge.renderGameOverlay(GuiIngameForge.java:144)
at net.minecraft.client.renderer.EntityRenderer.updateCameraAndRender(EntityRenderer.java:1114)
at net.minecraft.client.Minecraft.runGameLoop(Minecraft.java:1067)
at net.minecraft.client.Minecraft.run(Minecraft.java:962)
at net.minecraft.client.main.Main.main(Main.java:164)
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)
at net.minecraftforge.gradle.GradleStartCommon.launch(Unknown Source)
at GradleStart.main(Unknown Source)


A detailed walkthrough of the error, its code path and all known details is as follows:
---------------------------------------------------------------------------------------

-- Head --
Stacktrace:
at net.minecraft.tileentity.TileEntity.getBlockMetadata(TileEntity.java:157)
at com.IvanTune.futuregate.renderer.RendererCustomFurnace.renderAModelAt(RendererCustomFurnace.java:34)
at com.IvanTune.futuregate.renderer.RendererCustomFurnace.renderTileEntityAt(RendererCustomFurnace.java:77)
at com.IvanTune.futuregate.renderer.ItemRendererCustomFurnace.renderItem(ItemRendererCustomFurnace.java:38)
at net.minecraftforge.client.ForgeHooksClient.renderInventoryItem(ForgeHooksClient.java:183)

-- Item being rendered --
Details:
Item Type: net.minecraft.item.ItemBlock@30b6cfc7
Item Aux: 0
Item NBT: null
Item Foil: false
Stacktrace:
at net.minecraft.client.renderer.entity.RenderItem.renderItemAndEffectIntoGUI(RenderItem.java:583)
at net.minecraft.client.gui.GuiIngame.renderInventorySlot(GuiIngame.java:973)
at net.minecraftforge.client.GuiIngameForge.renderHotbar(GuiIngameForge.java:209)
at net.minecraftforge.client.GuiIngameForge.renderGameOverlay(GuiIngameForge.java:144)

-- Affected level --
Details:
Level name: MpServer
All players: 1 total; [EntityClientPlayerMP['Player72'/169, l='MpServer', x=1860,75, y=5,62, z=1496,60]]
Chunk stats: MultiplayerChunkCache: 265, 265
Level seed: 0
Level generator: ID 01 - flat, ver 0. Features enabled: false
Level generator options: 
Level spawn location: World: (1874,4,1499), Chunk: (at 2,0,11 in 117,93; contains blocks 1872,0,1488 to 1887,255,1503), Region: (3,2; contains chunks 96,64 to 127,95, blocks 1536,0,1024 to 2047,255,1535)
Level time: 949 game time, 949 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: creative (ID 1). Hardcore: false. Cheats: false
Forced entities: 45 total; [EntityCow['Cow'/132, l='MpServer', x=1939,94, y=4,00, z=1433,81], EntitySheep['Sheep'/135, l='MpServer', x=1940,28, y=4,00, z=1440,84], EntityCow['Cow'/80, l='MpServer', x=1870,09, y=4,00, z=1428,81], EntityPig['Pig'/81, l='MpServer', x=1877,97, y=4,00, z=1422,91], EntityCow['Cow'/82, l='MpServer', x=1872,50, y=4,00, z=1423,19], EntityCow['Cow'/83, l='MpServer', x=1876,50, y=4,00, z=1421,50], EntityPig['Pig'/84, l='MpServer', x=1884,94, y=4,00, z=1433,09], EntityPig['Pig'/85, l='MpServer', x=1872,22, y=4,00, z=1431,31], EntityPig['Pig'/86, l='MpServer', x=1877,50, y=4,00, z=1424,50], EntityCow['Cow'/87, l='MpServer', x=1874,41, y=4,00, z=1427,97], EntityCow['Cow'/88, l='MpServer', x=1877,28, y=4,00, z=1431,78], EntityCow['Cow'/89, l='MpServer', x=1874,13, y=4,00, z=1426,56], EntityCow['Cow'/90, l='MpServer', x=1873,16, y=4,00, z=1428,22], EntityChicken['Chicken'/30, l='MpServer', x=1787,19, y=4,00, z=1501,81], EntityPig['Pig'/31, l='MpServer', x=1790,03, y=4,00, z=1513,41], EntityCow['Cow'/32, l='MpServer', x=1791,50, y=4,00, z=1570,50], EntityCow['Cow'/33, l='MpServer', x=1790,44, y=4,00, z=1571,66], EntityPig['Pig'/34, l='MpServer', x=1782,16, y=4,00, z=1569,81], EntityCow['Cow'/35, l='MpServer', x=1791,88, y=4,00, z=1573,44], EntityClientPlayerMP['Player72'/169, l='MpServer', x=1860,75, y=5,62, z=1496,60], EntityChicken['Chicken'/42, l='MpServer', x=1805,38, y=4,00, z=1500,63], EntityChicken['Chicken'/43, l='MpServer', x=1799,41, y=4,00, z=1510,75], EntityChicken['Chicken'/44, l='MpServer', x=1795,50, y=4,00, z=1511,50], EntityPig['Pig'/45, l='MpServer', x=1800,28, y=4,00, z=1510,75], EntityPig['Pig'/46, l='MpServer', x=1806,78, y=4,00, z=1504,59], EntityCow['Cow'/111, l='MpServer', x=1911,75, y=4,00, z=1506,75], EntityPig['Pig'/47, l='MpServer', x=1802,81, y=4,00, z=1506,81], EntityPig['Pig'/48, l='MpServer', x=1793,50, y=4,00, z=1511,50], EntityPig['Pig'/49, l='MpServer', x=1792,81, y=4,00, z=1508,53], EntityPig['Pig'/50, l='MpServer', x=1791,94, y=4,00, z=1504,94], EntityPig['Pig'/51, l='MpServer', x=1794,13, y=4,00, z=1573,41], EntityCow['Cow'/116, l='MpServer', x=1926,69, y=4,00, z=1500,31], EntityCow['Cow'/117, l='MpServer', x=1921,06, y=4,00, z=1495,97], EntityChicken['Chicken'/118, l='MpServer', x=1922,22, y=4,00, z=1499,38], EntityChicken['Chicken'/119, l='MpServer', x=1922,50, y=4,00, z=1503,50], EntityCow['Cow'/55, l='MpServer', x=1792,19, y=4,00, z=1572,03], EntityChicken['Chicken'/120, l='MpServer', x=1924,50, y=4,00, z=1502,50], EntityPig['Pig'/56, l='MpServer', x=1796,31, y=4,00, z=1572,13], EntityCow['Cow'/121, l='MpServer', x=1926,50, y=4,00, z=1498,50], EntityPig['Pig'/57, l='MpServer', x=1793,50, y=4,00, z=1574,94], EntityCow['Cow'/122, l='MpServer', x=1921,38, y=4,00, z=1498,44], EntityPig['Pig'/58, l='MpServer', x=1797,50, y=4,00, z=1575,50], EntityCow['Cow'/123, l='MpServer', x=1924,25, y=4,00, z=1497,78], EntityCow['Cow'/124, l='MpServer', x=1923,50, y=4,00, z=1506,50], EntityChicken['Chicken'/125, l='MpServer', x=1925,50, y=4,00, z=1506,50]]
Retry entities: 0 total; []
Server brand: fml,forge
Server type: Integrated singleplayer server
Stacktrace:
at net.minecraft.client.multiplayer.WorldClient.addWorldInfoToCrashReport(WorldClient.java:415)
at net.minecraft.client.Minecraft.addGraphicsAndWorldToCrashReport(Minecraft.java:2566)
at net.minecraft.client.Minecraft.run(Minecraft.java:984)
at net.minecraft.client.main.Main.main(Main.java:164)
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)
at net.minecraftforge.gradle.GradleStartCommon.launch(Unknown Source)
at GradleStart.main(Unknown Source)

-- System Details --
Details:
Minecraft Version: 1.7.10
Operating System: Windows 8.1 (amd64) version 6.3
Java Version: 1.8.0_51, Oracle Corporation
Java VM Version: Java HotSpot(TM) 64-Bit Server VM (mixed mode), Oracle Corporation
Memory: 776453024 bytes (740 MB) / 1037959168 bytes (989 MB) up to 1037959168 bytes (989 MB)
JVM Flags: 3 total; -Xincgc -Xmx1024M -Xms1024M
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.1492 9 mods loaded, 9 mods active
States: 'U' = Unloaded 'L' = Loaded 'C' = Constructed 'H' = Pre-initialized 'I' = Initialized 'J' = Post-initialized 'A' = Available 'D' = Disabled 'E' = Errored
UCHIJAAAA	mcp{9.05} [Minecraft Coder Pack] (minecraft.jar) 
UCHIJAAAA	FML{7.10.99.99} [Forge Mod Loader] (forgeSrc-1.7.10-10.13.4.1492-1.7.10.jar) 
UCHIJAAAA	Forge{10.13.4.1492} [Minecraft Forge] (forgeSrc-1.7.10-10.13.4.1492-1.7.10.jar) 
UCHIJAAAA	CodeChickenCore{1.0.4.29} [CodeChicken Core] (minecraft.jar) 
UCHIJAAAA	NotEnoughItems{1.0.3.74} [Not Enough Items] (NotEnoughItems-1.7.10-1.0.3.74-universal.jar) 
UCHIJAAAA	futuregate{1.0} [FutureGate] (bin) 
UCHIJAAAA	ForgeMultipart{1.1.2.331} [Forge Multipart] (ForgeMultipart-1.7.10-1.1.2.331-dev.jar) 
UCHIJAAAA	McMultipart{1.1.2.331} [Minecraft Multipart Plugin] (ForgeMultipart-1.7.10-1.1.2.331-dev.jar) 
UCHIJAAAA	ForgeMicroblock{1.1.2.331} [Forge Microblocks] (ForgeMultipart-1.7.10-1.1.2.331-dev.jar) 
GL info: ' Vendor: 'NVIDIA Corporation' Version: '4.5.0 NVIDIA 353.62' Renderer: 'GeForce GTX 970/PCIe/SSE2'
Launched Version: 1.7.10
LWJGL: 2.9.1
OpenGL: GeForce GTX 970/PCIe/SSE2 GL version 4.5.0 NVIDIA 353.62, NVIDIA Corporation
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)

 

Here is how i render the item in hand too:

ItemRendererCustomFurnace:

package com.IvanTune.futuregate.renderer;

import org.lwjgl.opengl.GL11;

import com.IvanTune.futuregate.model.ModelCustomFurnace;
import com.IvanTune.futuregate.tileentity.TileEntityCustomFurnace;

import net.minecraft.client.renderer.tileentity.TileEntityRendererDispatcher;
import net.minecraft.client.renderer.tileentity.TileEntitySpecialRenderer;
import net.minecraft.item.ItemStack;
import net.minecraft.tileentity.TileEntity;
import net.minecraftforge.client.IItemRenderer;

public class ItemRendererCustomFurnace implements IItemRenderer {

TileEntitySpecialRenderer render;
private TileEntity entity;

public ItemRendererCustomFurnace(TileEntitySpecialRenderer render, TileEntity entity){
	this.entity = entity;
	this.render = render;
}

@Override
public boolean handleRenderType(ItemStack item, ItemRenderType type) {
	return true;
}

@Override
public boolean shouldUseRenderHelper(ItemRenderType type, ItemStack item, ItemRendererHelper helper) {
	return true;
}

@Override
public void renderItem(ItemRenderType type, ItemStack item, Object... data) {
	if(type == IItemRenderer.ItemRenderType.ENTITY)
		GL11.glTranslatef(-0.5F, 0.0F, -0.5F);
	this.render.renderTileEntityAt(this.entity, 0.0D, 0.0D, 0.0D, 0.0F);
}

}

Link to comment
Share on other sites

Got it working by removing the ItemRenderer in hand code, now block rotation stays put on login. :D

 

Who needs a beautiful, delicious, 3d model rendered in hand, on the go? Like.. yeah... :(

 

But yeah thanks for the help diesieben07, gonna figure it out eventually ;)

 

Link to comment
Share on other sites

Or you could check for a null world object and then supply a 0 for metadata instead.

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

 

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

 

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

Link to comment
Share on other sites

That might have been a big rookie mistake by me earier there... :P

 

Added this in ItemRendererCustomFurnace class:

public ModelCustomFurnace model = new ModelCustomFurnace();
private static final ResourceLocation texture = new ResourceLocation(Reference.MOD_ID, "textures/model/customFurnace.png");

 

Then in same class to render it out in hand:

	
GL11.glPushMatrix();
GL11.glScalef(1.0F, 1.0F, 1.0F);
GL11.glRotatef(180, 0.0F, 0.0F, 1.0F);
GL11.glTranslatef(0.0F, -1.F, 0.0F);
Minecraft.getMinecraft().renderEngine.bindTexture(texture);
model.renderModel(0.0625F);
GL11.glPopMatrix();

 

Probably not the best way to do it but now the block renders in hand and block rotation on logout stays the same. :D

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

    • i dont know how to close the topic, so it will remain open until someone does it for me
    • solved: it was in the wrong folder:  it needs to be at "resources/data/modID/loot_tables/blocks" the gravel loot table was wrong:  I wrote "minecraft:andesite_gravel"  instead of "zerotoautomation:andesite_gravel"
    • Add crash-reports with sites like https://mclo.gs/ Make a test without mowziesmobs
    • playing around then the game crashes while loading a chunk, it isnt the first time heres the crash log ---- Minecraft Crash Report ---- // You're mean. Time: 2024-10-11 11:27:40 Description: Exception generating new chunk java.lang.IllegalStateException: Missing key in ResourceKey[minecraft:root / minecraft:worldgen/structure_set]: ResourceKey[minecraft:worldgen/structure_set / minecraft:village]     at net.minecraft.core.Registry.lambda$getHolderOrThrow$69(Registry.java:617) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at java.util.Optional.orElseThrow(Optional.java:403) ~[?:?] {re:mixin}     at net.minecraft.core.Registry.m_206081_(Registry.java:616) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at com.bobmowzie.mowziesmobs.server.world.feature.structure.MowzieStructure.checkLocation(MowzieStructure.java:113) ~[mowziesmobs-1.6.3.jar%23377!/:1.6.3] {re:classloading}     at com.bobmowzie.mowziesmobs.server.world.feature.structure.MowzieStructure.checkLocation(MowzieStructure.java:69) ~[mowziesmobs-1.6.3.jar%23377!/:1.6.3] {re:classloading}     at com.bobmowzie.mowziesmobs.server.world.feature.structure.MowzieStructure.m_214086_(MowzieStructure.java:56) ~[mowziesmobs-1.6.3.jar%23377!/:1.6.3] {re:classloading}     at net.minecraft.world.level.levelgen.structure.Structure.m_226596_(Structure.java:84) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,xf:fml:forge:structure,re:classloading,xf:fml:forge:structure,pl:mixin:APP:structure_gel.mixins.json:StructureMixin,pl:mixin:A}     at net.minecraft.world.level.chunk.ChunkGenerator.m_223104_(ChunkGenerator.java:638) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:citadel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:structure_gel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:the_bumblezone.mixins.json:world.ChunkGeneratorAccessor,pl:mixin:APP:dimdoors-common.mixins.json:accessor.ChunkGeneratorAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:world.level.chunk.MixinChunkGenerator,pl:mixin:A}     at net.minecraft.world.level.chunk.ChunkGenerator.m_223066_(ChunkGenerator.java:591) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:citadel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:structure_gel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:the_bumblezone.mixins.json:world.ChunkGeneratorAccessor,pl:mixin:APP:dimdoors-common.mixins.json:accessor.ChunkGeneratorAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:world.level.chunk.MixinChunkGenerator,pl:mixin:A}     at java.util.stream.ForEachOps$ForEachOp$OfRef.accept(ForEachOps.java:183) ~[?:?] {}     at java.util.stream.ReferencePipeline$3$1.accept(ReferencePipeline.java:197) ~[?:?] {}     at java.util.AbstractList$RandomAccessSpliterator.forEachRemaining(AbstractList.java:720) ~[?:?] {}     at java.util.stream.AbstractPipeline.copyInto(AbstractPipeline.java:509) ~[?:?] {}     at java.util.stream.AbstractPipeline.wrapAndCopyInto(AbstractPipeline.java:499) ~[?:?] {}     at java.util.stream.ForEachOps$ForEachOp.evaluateSequential(ForEachOps.java:150) ~[?:?] {}     at java.util.stream.ForEachOps$ForEachOp$OfRef.evaluateSequential(ForEachOps.java:173) ~[?:?] {}     at java.util.stream.AbstractPipeline.evaluate(AbstractPipeline.java:234) ~[?:?] {}     at java.util.stream.ReferencePipeline.forEach(ReferencePipeline.java:596) ~[?:?] {}     at net.minecraft.world.level.chunk.ChunkGenerator.m_223164_(ChunkGenerator.java:573) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:citadel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:structure_gel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:the_bumblezone.mixins.json:world.ChunkGeneratorAccessor,pl:mixin:APP:dimdoors-common.mixins.json:accessor.ChunkGeneratorAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:world.level.chunk.MixinChunkGenerator,pl:mixin:A}     at net.minecraft.world.level.chunk.ChunkStatus.m_223360_(ChunkStatus.java:59) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at net.minecraft.world.level.chunk.ChunkStatus.m_223279_(ChunkStatus.java:292) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at net.minecraft.server.level.ChunkMap.lambda$scheduleChunkGeneration$25(ChunkMap.java:621) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:dimdoors-common.mixins.json:ThreadedAnvilChunkStorageMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:accessors.server.level.ChunkMapAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:feature.tick_ship_chunks.MixinChunkMap,pl:mixin:APP:valkyrienskies-common.mixins.json:server.world.MixinChunkMap,pl:mixin:APP:ars_nouveau.mixins.json:camera.ChunkMapMixin,pl:mixin:A}     at com.mojang.datafixers.util.Either$Left.map(Either.java:38) ~[datafixerupper-5.0.28.jar%23126!/:?] {}     at net.minecraft.server.level.ChunkMap.lambda$scheduleChunkGeneration$27(ChunkMap.java:619) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:dimdoors-common.mixins.json:ThreadedAnvilChunkStorageMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:accessors.server.level.ChunkMapAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:feature.tick_ship_chunks.MixinChunkMap,pl:mixin:APP:valkyrienskies-common.mixins.json:server.world.MixinChunkMap,pl:mixin:APP:ars_nouveau.mixins.json:camera.ChunkMapMixin,pl:mixin:A}     at java.util.concurrent.CompletableFuture$UniCompose.tryFire(CompletableFuture.java:1150) ~[?:?] {}     at java.util.concurrent.CompletableFuture$Completion.run(CompletableFuture.java:482) ~[?:?] {}     at net.minecraft.server.level.ChunkTaskPriorityQueueSorter.m_143188_(ChunkTaskPriorityQueueSorter.java:62) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at net.minecraft.util.thread.ProcessorMailbox.m_18759_(ProcessorMailbox.java:91) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at net.minecraft.util.thread.ProcessorMailbox.m_18747_(ProcessorMailbox.java:146) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at net.minecraft.util.thread.ProcessorMailbox.run(ProcessorMailbox.java:102) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at java.util.concurrent.ForkJoinTask$RunnableExecuteAction.exec(ForkJoinTask.java:1395) ~[?:?] {}     at java.util.concurrent.ForkJoinTask.doExec(ForkJoinTask.java:373) ~[?:?] {}     at java.util.concurrent.ForkJoinPool$WorkQueue.topLevelExec(ForkJoinPool.java:1182) ~[?:?] {}     at java.util.concurrent.ForkJoinPool.scan(ForkJoinPool.java:1655) ~[?:?] {re:computing_frames}     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?] {re:computing_frames}     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] {} A detailed walkthrough of the error, its code path and all known details is as follows: --------------------------------------------------------------------------------------- -- Head -- Thread: Server thread Suspected Mod:      Mowzie's Mobs (mowziesmobs), Version: 1.6.3         Issue tracker URL: https://github.com/BobMowzie/MowziesMobs/issues         at TRANSFORMER/[email protected]/com.bobmowzie.mowziesmobs.server.world.feature.structure.MowzieStructure.checkLocation(MowzieStructure.java:113) Stacktrace:     at net.minecraft.core.Registry.lambda$getHolderOrThrow$69(Registry.java:617) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at java.util.Optional.orElseThrow(Optional.java:403) ~[?:?] {re:mixin}     at net.minecraft.core.Registry.m_206081_(Registry.java:616) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at com.bobmowzie.mowziesmobs.server.world.feature.structure.MowzieStructure.checkLocation(MowzieStructure.java:113) ~[mowziesmobs-1.6.3.jar%23377!/:1.6.3] {re:classloading}     at com.bobmowzie.mowziesmobs.server.world.feature.structure.MowzieStructure.checkLocation(MowzieStructure.java:69) ~[mowziesmobs-1.6.3.jar%23377!/:1.6.3] {re:classloading}     at com.bobmowzie.mowziesmobs.server.world.feature.structure.MowzieStructure.m_214086_(MowzieStructure.java:56) ~[mowziesmobs-1.6.3.jar%23377!/:1.6.3] {re:classloading}     at net.minecraft.world.level.levelgen.structure.Structure.m_226596_(Structure.java:84) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,xf:fml:forge:structure,re:classloading,xf:fml:forge:structure,pl:mixin:APP:structure_gel.mixins.json:StructureMixin,pl:mixin:A}     at net.minecraft.world.level.chunk.ChunkGenerator.m_223104_(ChunkGenerator.java:638) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:citadel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:structure_gel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:the_bumblezone.mixins.json:world.ChunkGeneratorAccessor,pl:mixin:APP:dimdoors-common.mixins.json:accessor.ChunkGeneratorAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:world.level.chunk.MixinChunkGenerator,pl:mixin:A}     at net.minecraft.world.level.chunk.ChunkGenerator.m_223066_(ChunkGenerator.java:591) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:citadel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:structure_gel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:the_bumblezone.mixins.json:world.ChunkGeneratorAccessor,pl:mixin:APP:dimdoors-common.mixins.json:accessor.ChunkGeneratorAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:world.level.chunk.MixinChunkGenerator,pl:mixin:A}     at java.util.stream.ForEachOps$ForEachOp$OfRef.accept(ForEachOps.java:183) ~[?:?] {}     at java.util.stream.ReferencePipeline$3$1.accept(ReferencePipeline.java:197) ~[?:?] {}     at java.util.AbstractList$RandomAccessSpliterator.forEachRemaining(AbstractList.java:720) ~[?:?] {}     at java.util.stream.AbstractPipeline.copyInto(AbstractPipeline.java:509) ~[?:?] {}     at java.util.stream.AbstractPipeline.wrapAndCopyInto(AbstractPipeline.java:499) ~[?:?] {}     at java.util.stream.ForEachOps$ForEachOp.evaluateSequential(ForEachOps.java:150) ~[?:?] {}     at java.util.stream.ForEachOps$ForEachOp$OfRef.evaluateSequential(ForEachOps.java:173) ~[?:?] {}     at java.util.stream.AbstractPipeline.evaluate(AbstractPipeline.java:234) ~[?:?] {}     at java.util.stream.ReferencePipeline.forEach(ReferencePipeline.java:596) ~[?:?] {}     at net.minecraft.world.level.chunk.ChunkGenerator.m_223164_(ChunkGenerator.java:573) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:citadel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:structure_gel.mixins.json:ChunkGeneratorMixin,pl:mixin:APP:the_bumblezone.mixins.json:world.ChunkGeneratorAccessor,pl:mixin:APP:dimdoors-common.mixins.json:accessor.ChunkGeneratorAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:world.level.chunk.MixinChunkGenerator,pl:mixin:A}     at net.minecraft.world.level.chunk.ChunkStatus.m_223360_(ChunkStatus.java:59) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at net.minecraft.world.level.chunk.ChunkStatus.m_223279_(ChunkStatus.java:292) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B}     at net.minecraft.server.level.ChunkMap.lambda$scheduleChunkGeneration$25(ChunkMap.java:621) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:dimdoors-common.mixins.json:ThreadedAnvilChunkStorageMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:accessors.server.level.ChunkMapAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:feature.tick_ship_chunks.MixinChunkMap,pl:mixin:APP:valkyrienskies-common.mixins.json:server.world.MixinChunkMap,pl:mixin:APP:ars_nouveau.mixins.json:camera.ChunkMapMixin,pl:mixin:A}     at com.mojang.datafixers.util.Either$Left.map(Either.java:38) ~[datafixerupper-5.0.28.jar%23126!/:?] {}     at net.minecraft.server.level.ChunkMap.lambda$scheduleChunkGeneration$27(ChunkMap.java:619) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:dimdoors-common.mixins.json:ThreadedAnvilChunkStorageMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:accessors.server.level.ChunkMapAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:feature.tick_ship_chunks.MixinChunkMap,pl:mixin:APP:valkyrienskies-common.mixins.json:server.world.MixinChunkMap,pl:mixin:APP:ars_nouveau.mixins.json:camera.ChunkMapMixin,pl:mixin:A}     at java.util.concurrent.CompletableFuture$UniCompose.tryFire(CompletableFuture.java:1150) ~[?:?] {}     at java.util.concurrent.CompletableFuture$Completion.run(CompletableFuture.java:482) ~[?:?] {}     at net.minecraft.server.level.ChunkTaskPriorityQueueSorter.m_143188_(ChunkTaskPriorityQueueSorter.java:62) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at net.minecraft.util.thread.ProcessorMailbox.m_18759_(ProcessorMailbox.java:91) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at net.minecraft.util.thread.ProcessorMailbox.m_18747_(ProcessorMailbox.java:146) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at net.minecraft.util.thread.ProcessorMailbox.run(ProcessorMailbox.java:102) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading} -- Chunk to be generated -- Details:     Location: -141,-144     Position hash: -614180323469     Generator: net.minecraft.world.level.levelgen.NoiseBasedChunkGenerator@7030c35e Stacktrace:     at net.minecraft.server.level.ChunkMap.lambda$scheduleChunkGeneration$25(ChunkMap.java:621) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:dimdoors-common.mixins.json:ThreadedAnvilChunkStorageMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:accessors.server.level.ChunkMapAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:feature.tick_ship_chunks.MixinChunkMap,pl:mixin:APP:valkyrienskies-common.mixins.json:server.world.MixinChunkMap,pl:mixin:APP:ars_nouveau.mixins.json:camera.ChunkMapMixin,pl:mixin:A}     at com.mojang.datafixers.util.Either$Left.map(Either.java:38) ~[datafixerupper-5.0.28.jar%23126!/:?] {}     at net.minecraft.server.level.ChunkMap.lambda$scheduleChunkGeneration$27(ChunkMap.java:619) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:APP:dimdoors-common.mixins.json:ThreadedAnvilChunkStorageMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:accessors.server.level.ChunkMapAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:feature.tick_ship_chunks.MixinChunkMap,pl:mixin:APP:valkyrienskies-common.mixins.json:server.world.MixinChunkMap,pl:mixin:APP:ars_nouveau.mixins.json:camera.ChunkMapMixin,pl:mixin:A}     at java.util.concurrent.CompletableFuture$UniCompose.tryFire(CompletableFuture.java:1150) ~[?:?] {}     at java.util.concurrent.CompletableFuture$Completion.run(CompletableFuture.java:482) ~[?:?] {}     at net.minecraft.server.level.ChunkTaskPriorityQueueSorter.m_143188_(ChunkTaskPriorityQueueSorter.java:62) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at net.minecraft.util.thread.ProcessorMailbox.m_18759_(ProcessorMailbox.java:91) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at net.minecraft.util.thread.ProcessorMailbox.m_18747_(ProcessorMailbox.java:146) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at net.minecraft.util.thread.ProcessorMailbox.run(ProcessorMailbox.java:102) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:classloading}     at java.util.concurrent.ForkJoinTask$RunnableExecuteAction.exec(ForkJoinTask.java:1395) ~[?:?] {}     at java.util.concurrent.ForkJoinTask.doExec(ForkJoinTask.java:373) ~[?:?] {}     at java.util.concurrent.ForkJoinPool$WorkQueue.topLevelExec(ForkJoinPool.java:1182) ~[?:?] {}     at java.util.concurrent.ForkJoinPool.scan(ForkJoinPool.java:1655) ~[?:?] {re:computing_frames}     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?] {re:computing_frames}     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] {} -- Affected level -- Details:     All players: 1 total; [ServerPlayer['Simsonic321'/584, l='ServerLevel[New World]', x=-1956.21, y=157.02, z=-1987.36]]     Chunk stats: 4035     Level dimension: minecraft:overworld     Level spawn location: World: (80,82,112), Section: (at 0,2,0 in 5,5,7; chunk contains blocks 80,-64,112 to 95,319,127), Region: (0,0; contains chunks 0,0 to 31,31, blocks 0,-64,0 to 511,319,511)     Level time: 8391 game time, 8391 day time     Level name: New World     Level game mode: Game mode: creative (ID 1). Hardcore: false. Cheats: true     Level weather: Rain time: 60834 (now: false), thunder time: 137839 (now: false)     Known server brands: forge     Level was modded: true     Level storage version: 0x04ABD - Anvil Stacktrace:     at net.minecraft.server.MinecraftServer.m_5703_(MinecraftServer.java:869) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_5705_(MinecraftServer.java:806) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:A}     at net.minecraft.client.server.IntegratedServer.m_5705_(IntegratedServer.java:84) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:runtimedistcleaner:A,re:classloading,pl:mixin:APP:forgematica.mixins.json:MixinIntegratedServer,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.server.MinecraftServer.m_130011_(MinecraftServer.java:654) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:A}     at net.minecraft.server.MinecraftServer.m_206580_(MinecraftServer.java:244) ~[client-1.19.2-20220805.130853-srg.jar%23437!/:?] {re:mixin,pl:accesstransformer:B,re:classloading,pl:accesstransformer:B,pl:mixin:A}     at java.lang.Thread.run(Thread.java:833) [?:?] {re:mixin} -- System Details -- Details:     Minecraft Version: 1.19.2     Minecraft Version ID: 1.19.2     Operating System: Windows 10 (amd64) version 10.0     Java Version: 17.0.8, Microsoft     Java VM Version: OpenJDK 64-Bit Server VM (mixed mode), Microsoft     Memory: 3960102560 bytes (3776 MiB) / 9529458688 bytes (9088 MiB) up to 15032385536 bytes (14336 MiB)     CPUs: 8     Processor Vendor: GenuineIntel     Processor Name: Intel(R) Core(TM) i7-9700K CPU @ 3.60GHz     Identifier: Intel64 Family 6 Model 158 Stepping 12     Microarchitecture: Coffee Lake     Frequency (GHz): 3.60     Number of physical packages: 1     Number of physical CPUs: 8     Number of logical CPUs: 8     Graphics card #0 name: NVIDIA GeForce RTX 2080 Ti     Graphics card #0 vendor: NVIDIA (0x10de)     Graphics card #0 VRAM (MB): 4095.00     Graphics card #0 deviceId: 0x1e07     Graphics card #0 versionInfo: DriverVersion=32.0.15.6590     Memory slot #0 capacity (MB): 16384.00     Memory slot #0 clockSpeed (GHz): 2.13     Memory slot #0 type: DDR4     Memory slot #1 capacity (MB): 16384.00     Memory slot #1 clockSpeed (GHz): 2.13     Memory slot #1 type: DDR4     Virtual memory max (MB): 37683.42     Virtual memory used (MB): 26950.73     Swap memory total (MB): 5000.00     Swap memory used (MB): 150.26     JVM Flags: 9 total; -XX:HeapDumpPath=MojangTricksIntelDriversForPerformance_javaw.exe_minecraft.exe.heapdump -Xss1M -Xmx14G -XX:+UnlockExperimentalVMOptions -XX:+UseG1GC -XX:G1NewSizePercent=20 -XX:G1ReservePercent=20 -XX:MaxGCPauseMillis=50 -XX:G1HeapRegionSize=32M     Loaded Shaderpack: ComplementaryUnbound_r5.3.zip         Profile: HIGH (+0 options changed by user)     Server Running: true     Player Count: 1 / 8; [ServerPlayer['Simsonic321'/584, l='ServerLevel[New World]', x=-1956.21, y=157.02, z=-1987.36]]     Data Packs: vanilla, mod:hexerei (incompatible), mod:ancient_manuscripts, mod:tropicraft (incompatible), mod:blue_skies, mod:divine_weaponry, mod:playeranimator (incompatible), mod:aether (incompatible), mod:incendium, mod:aquaculturedelight, mod:sophisticatedcore (incompatible), mod:placebo (incompatible), mod:citadel, mod:alexsmobs (incompatible), mod:yungsapi, mod:pyromancer, mod:forgematica (incompatible), mod:mixinextras (incompatible), mod:sophisticatedbackpacks (incompatible), mod:guardvillagers (incompatible), mod:apotheosis (incompatible), mod:balm (incompatible), mod:immersive_armors (incompatible), mod:cloth_config (incompatible), mod:ctov (incompatible), mod:twilightforest (incompatible), mod:embeddium (incompatible), mod:undergardendelight, mod:structure_gel, mod:farmersdelight, mod:ends_delight, mod:torchmaster (incompatible), mod:handcrafted, mod:mafglib (incompatible), mod:yungsbridges, mod:medievalmusic (incompatible), mod:resourcefulconfig, mod:cnb, mod:curios, mod:patchouli (incompatible), mod:oculus, mod:gobber2, mod:enigmaticlegacy (incompatible), mod:resourcefullib (incompatible), mod:theabyss, mod:spirit (incompatible), mod:cumulus_menus, mod:twilightdelight, mod:deeperdarker (incompatible), mod:cfm (incompatible), mod:architectury (incompatible), mod:doapi (incompatible), mod:vinery, mod:voidscape (incompatible), mod:undergarden, mod:biomancy (incompatible), mod:nitrogen_internals, mod:the_bumblezone, mod:runecraft, mod:l2library (incompatible), mod:deep_aether (incompatible), mod:t_and_t, mod:quarkdelight, mod:mcwlights, mod:smartbrainlib, mod:quarkoddities (incompatible), mod:mowziesmobs (incompatible), mod:geckolib3 (incompatible), mod:realmrpg_demons, mod:jei (incompatible), mod:visualworkbench (incompatible), mod:graveyard (incompatible), mod:caelus (incompatible), mod:obscure_api, mod:waystones (incompatible), mod:journeymap (incompatible), mod:comforts, mod:naturescompass (incompatible), mod:enigmaticlegacydelight, mod:sereneseasons, mod:decorative_blocks (incompatible), mod:guideapi_vp (incompatible), mod:starlight (incompatible), mod:explorerscompass (incompatible), mod:davespotioneering (incompatible), mod:medieval_paintings, mod:ars_nouveau, mod:reactive (incompatible), mod:aetherdelight, mod:forge, mod:tarotcards (incompatible), mod:friendsandfoes (incompatible), mod:antiqueatlas (incompatible), mod:dungeons_arise, mod:eidolon (incompatible), mod:sons_of_sins, mod:simplyswords (incompatible), mod:terrablender, mod:biomesoplenty, mod:moonlight (incompatible), mod:endermanoverhaul (incompatible), mod:eccentrictome, mod:psi (incompatible), mod:jade (incompatible), mod:creativecore, mod:spectrelib (incompatible), mod:nethersdelight, mod:aeroblender (incompatible), mod:totemic, mod:kotlinforforge (incompatible), mod:dimdungeons, mod:brewinandchewin (incompatible), mod:whisperwoods (incompatible), mod:farmersrespite (incompatible), mod:flywheel (incompatible), mod:create, mod:reliquary (incompatible), mod:gobberdelight, mod:malum (incompatible), mod:autoreglib (incompatible), mod:quark (incompatible), mod:supplementaries (incompatible), mod:nullscape, mod:ars_elemental, mod:irons_spellbooks (incompatible), mod:miners_delight (incompatible), mod:ars_instrumentum (incompatible), mod:dimdoors (incompatible), mod:modonomicon, mod:wrd, mod:oceansdelight, mod:mvs (incompatible), mod:creeperoverhaul (incompatible), mod:appleskin, mod:alexsdelight, mod:vampirism (incompatible), mod:werewolves (incompatible), mod:ferritecore (incompatible), mod:occultism, mod:ars_ocultas (incompatible), mod:puzzleslib (incompatible), mod:aquaculture, mod:valkyrienskies (incompatible), mod:vs_eureka (incompatible), mod:lodestone (incompatible), mod:crabbersdelight (incompatible), mod:valhelsia_core (incompatible), mod:forbidden_arcanus (incompatible), mod:magipsi (incompatible), mod:undead_unleashed, mod:aquamirae, Supplementaries Generated Pack, builtin/classic, builtin/default, builtin/magipsi_overrides (incompatible), t_and_t_waystones_patch_1.19.2.zip     World Generation: Stable     Type: Integrated Server (map_client.txt)     Is Modded: Definitely; Client brand changed to 'forge'; Server brand changed to 'forge'     Launched Version: 1.19.2-forge-43.4.4     ModLauncher: 10.0.8+10.0.8+main.0ef7e830     ModLauncher launch target: forgeclient     ModLauncher naming: srg     ModLauncher services:          mixin-0.8.5.jar mixin PLUGINSERVICE          eventbus-6.0.3.jar eventbus PLUGINSERVICE          fmlloader-1.19.2-43.4.4.jar slf4jfixer PLUGINSERVICE          fmlloader-1.19.2-43.4.4.jar object_holder_definalize PLUGINSERVICE          fmlloader-1.19.2-43.4.4.jar runtime_enum_extender PLUGINSERVICE          fmlloader-1.19.2-43.4.4.jar capability_token_subclass PLUGINSERVICE          accesstransformers-8.0.4.jar accesstransformer PLUGINSERVICE          fmlloader-1.19.2-43.4.4.jar runtimedistcleaner PLUGINSERVICE          modlauncher-10.0.8.jar mixin TRANSFORMATIONSERVICE          modlauncher-10.0.8.jar fml TRANSFORMATIONSERVICE      FML Language Providers:          [email protected]         javafml@null         [email protected]         lowcodefml@null     Mod List:          hexerei-0.3.3.1.jar                               |Hexerei                       |hexerei                       |0.3.3.1             |DONE      |Manifest: NOSIGNATURE         ancient_manuscripts-1.1.6-1.19.jar                |Ancient Manuscripts           |ancient_manuscripts           |1.1.6-1.19          |DONE      |Manifest: NOSIGNATURE         Tropicraft-9.5.2.jar                              |Tropicraft                    |tropicraft                    |9.5.2               |DONE      |Manifest: NOSIGNATURE         blue_skies-1.19.2-1.3.20.jar                      |Blue Skies                    |blue_skies                    |1.3.20              |DONE      |Manifest: NOSIGNATURE         Divine Weaponry v1.4 1.19.2.jar                   |Divine Weaponry               |divine_weaponry               |1.3.0               |DONE      |Manifest: NOSIGNATURE         player-animation-lib-forge-1.0.2.jar              |Player Animator               |playeranimator                |1.0.2               |DONE      |Manifest: NOSIGNATURE         aether-1.19.2-1.5.0-forge.jar                     |The Aether                    |aether                        |0.0NONE             |DONE      |Manifest: NOSIGNATURE         Incendium_1.19.3_v5.1.6.jar                       |Incendium                     |incendium                     |5.1.6               |DONE      |Manifest: NOSIGNATURE         aquaculture_delight_1.0.0_forge_1.19.2.jar        |Aquaculture Delight           |aquaculturedelight            |1.0.0               |DONE      |Manifest: NOSIGNATURE         sophisticatedcore-1.19.2-0.6.4.605.jar            |Sophisticated Core            |sophisticatedcore             |1.19.2-0.6.4.605    |DONE      |Manifest: NOSIGNATURE         Placebo-1.19.2-7.4.0.jar                          |Placebo                       |placebo                       |7.4.0               |DONE      |Manifest: NOSIGNATURE         citadel-2.1.4-1.19.jar                            |Citadel                       |citadel                       |2.1.4               |DONE      |Manifest: NOSIGNATURE         alexsmobs-1.21.1.jar                              |Alex's Mobs                   |alexsmobs                     |1.21.1              |DONE      |Manifest: NOSIGNATURE         YungsApi-1.19.2-Forge-3.8.10.jar                  |YUNG's API                    |yungsapi                      |1.19.2-Forge-3.8.10 |DONE      |Manifest: NOSIGNATURE         pyromancer_1.8.6.jar                              |Pyromancer                    |pyromancer                    |1.8.5               |DONE      |Manifest: NOSIGNATURE         Forgematica-0.1.10-mc1.19.2.jar                   |Forgematica                   |forgematica                   |0.1.10-mc1.19.2     |DONE      |Manifest: NOSIGNATURE         mixinextras-forge-0.2.0-beta.9.jar                |MixinExtras                   |mixinextras                   |0.2.0-beta.9        |DONE      |Manifest: NOSIGNATURE         sophisticatedbackpacks-1.19.2-3.20.2.1035.jar     |Sophisticated Backpacks       |sophisticatedbackpacks        |1.19.2-3.20.2.1035  |DONE      |Manifest: NOSIGNATURE         guardvillagers-1.19.2-1.5.9.jar                   |Guard Villagers               |guardvillagers                |1.19.2-1.5.9        |DONE      |Manifest: NOSIGNATURE         Apotheosis-1.19.2-6.5.2.jar                       |Apotheosis                    |apotheosis                    |6.5.2               |DONE      |Manifest: NOSIGNATURE         balm-forge-1.19.2-4.6.0.jar                       |Balm                          |balm                          |4.6.0               |DONE      |Manifest: NOSIGNATURE         immersive_armors-1.5.6+1.19.2-forge.jar           |Immersive Armors              |immersive_armors              |1.5.6+1.19.2        |DONE      |Manifest: NOSIGNATURE         cloth-config-8.3.134-forge.jar                    |Cloth Config v8 API           |cloth_config                  |8.3.134             |DONE      |Manifest: NOSIGNATURE         ctov-3.2.6c.jar                                   |ChoiceTheorem's Overhauled Vil|ctov                          |3.2.6c              |DONE      |Manifest: NOSIGNATURE         twilightforest-1.19.2-4.2.1518-universal.jar      |The Twilight Forest           |twilightforest                |4.2.1518            |DONE      |Manifest: NOSIGNATURE         embeddium-0.3.18.1+mc1.19.2.jar                   |Embeddium                     |embeddium                     |0.3.18.1+mc1.19.2   |DONE      |Manifest: NOSIGNATURE         undergarden_delight_1.0.0_forge_1.19.2.jar        |Undergarden Delight           |undergardendelight            |1.0.0               |DONE      |Manifest: NOSIGNATURE         structure_gel-1.19.2-2.7.3.jar                    |Structure Gel API             |structure_gel                 |2.7.3               |DONE      |Manifest: NOSIGNATURE         FarmersDelight-1.19.2-1.2.4.jar                   |Farmer's Delight              |farmersdelight                |1.19.2-1.2.4        |DONE      |Manifest: NOSIGNATURE         ends_delight-1.19.2-2.1.jar                       |End's Delight                 |ends_delight                  |1.19.2-2.1          |DONE      |Manifest: NOSIGNATURE         torchmaster-19.2.93.jar                           |Torchmaster                   |torchmaster                   |19.2.93             |DONE      |Manifest: NOSIGNATURE         handcrafted-forge-1.19.2-2.0.6.jar                |Handcrafted                   |handcrafted                   |2.0.6               |DONE      |Manifest: NOSIGNATURE         MaFgLib-0.1.14-mc1.19.2.jar                       |MaFgLib                       |mafglib                       |0.1.14-mc1.19.2     |DONE      |Manifest: NOSIGNATURE         YungsBridges-1.19.2-Forge-3.1.0.jar               |YUNG's Bridges                |yungsbridges                  |1.19.2-Forge-3.1.0  |DONE      |Manifest: NOSIGNATURE         zmedievalmusic-1.19.2-2.0.jar                     |medievalmusic mod             |medievalmusic                 |1.19.2-2.0          |DONE      |Manifest: NOSIGNATURE         resourcefulconfig-forge-1.19.2-1.0.20.jar         |Resourcefulconfig             |resourcefulconfig             |1.0.20              |DONE      |Manifest: NOSIGNATURE         CNB-1.19-1.5.4.jar                                |Creatures and Beasts          |cnb                           |1.5.4               |DONE      |Manifest: NOSIGNATURE         curios-forge-1.19.2-5.1.6.3.jar                   |Curios API                    |curios                        |1.19.2-5.1.6.3      |DONE      |Manifest: NOSIGNATURE         Patchouli-1.19.2-77.jar                           |Patchouli                     |patchouli                     |1.19.2-77           |DONE      |Manifest: NOSIGNATURE         oculus-mc1.19.2-1.6.9.jar                         |Oculus                        |oculus                        |1.6.9               |DONE      |Manifest: NOSIGNATURE         Gobber2-Forge-1.19.2-2.7.32.jar                   |Gobber 2                      |gobber2                       |2.7.32              |DONE      |Manifest: NOSIGNATURE         EnigmaticLegacy-2.26.5.jar                        |Enigmatic Legacy              |enigmaticlegacy               |2.26.5              |DONE      |Manifest: NOSIGNATURE         resourcefullib-forge-1.19.2-1.1.24.jar            |Resourceful Lib               |resourcefullib                |1.1.24              |DONE      |Manifest: NOSIGNATURE         TA-0.9.5-1.19.2.jar                               |TheAbyss                      |theabyss                      |3.0.0               |DONE      |Manifest: NOSIGNATURE         spirit-forge-1.19.2-2.2.7.jar                     |Spirit                        |spirit                        |2.2.7               |DONE      |Manifest: NOSIGNATURE         cumulus_menus-1.19.2-1.0.0-forge.jar              |Cumulus                       |cumulus_menus                 |0.0NONE             |DONE      |Manifest: NOSIGNATURE         twilightdelight-1.4.4.jar                         |Twilight's Flavor & Delight   |twilightdelight               |1.4.4               |DONE      |Manifest: NOSIGNATURE         deeperdarker-forge-1.19.2-1.2.2.jar               |Deeper and Darker             |deeperdarker                  |1.2.2               |DONE      |Manifest: NOSIGNATURE         cfm-7.0.0-pre35-1.19.2.jar                        |MrCrayfish's Furniture Mod    |cfm                           |7.0.0-pre35         |DONE      |Manifest: NOSIGNATURE         architectury-6.6.92-forge.jar                     |Architectury                  |architectury                  |6.6.92              |DONE      |Manifest: NOSIGNATURE         doapi-1.1.0b.jar                                  |Lets Do Api                   |doapi                         |1.1.0b              |DONE      |Manifest: NOSIGNATURE         letsdo-vinery-forge-1.3.12b.jar                   |Vinery                        |vinery                        |1.3.12              |DONE      |Manifest: NOSIGNATURE         Voidscape-1.19.2-0.2.119.jar                      |Voidscape                     |voidscape                     |1.19.2-0.2.119      |DONE      |Manifest: NOSIGNATURE         The_Undergarden-1.19.2-0.8.3.jar                  |The Undergarden               |undergarden                   |0.8.3               |DONE      |Manifest: NOSIGNATURE         biomancy-forge-1.19.2-2.3.2.0.jar                 |Biomancy 2                    |biomancy                      |2.3.2.0             |DONE      |Manifest: NOSIGNATURE         nitrogen_internals-1.19.2-1.0.7-forge.jar         |Nitrogen                      |nitrogen_internals            |0.0NONE             |DONE      |Manifest: NOSIGNATURE         the_bumblezone_forge-6.9.13+1.19.2.jar            |The Bumblezone                |the_bumblezone                |6.9.13+1.19.2       |DONE      |Manifest: NOSIGNATURE         RuneCraft-1.19-(v.3.6.2a).jar                     |RuneCraft                     |runecraft                     |3.6.2a              |DONE      |Manifest: NOSIGNATURE         l2library-1.9.7.jar                               |L2 Library                    |l2library                     |1.9.7               |DONE      |Manifest: NOSIGNATURE         deep_aether-1.19.2-1.0.2.jar                      |Deep Aether                   |deep_aether                   |1.19.2-1.0.2        |DONE      |Manifest: NOSIGNATURE         Towns-and-Towers-v.1.10-_FORGE-1.19.2_.jar        |Towns and Towers              |t_and_t                       |1.10                |DONE      |Manifest: NOSIGNATURE         quark_delight_1.0.0_forge_1.19.2.jar              |Quark Delight                 |quarkdelight                  |1.0.0               |DONE      |Manifest: NOSIGNATURE         mcw-lights-1.1.0-mc1.19.2forge.jar                |Macaw's Lights and Lamps      |mcwlights                     |1.1.0               |DONE      |Manifest: NOSIGNATURE         SmartBrainLib-forge-1.19.2-1.9.jar                |SmartBrainLib                 |smartbrainlib                 |1.9                 |DONE      |Manifest: NOSIGNATURE         QuarkOddities-1.18.jar                            |Quark Oddities                |quarkoddities                 |1.18                |DONE      |Manifest: NOSIGNATURE         mowziesmobs-1.6.3.jar                             |Mowzie's Mobs                 |mowziesmobs                   |1.6.3               |DONE      |Manifest: NOSIGNATURE         geckolib-forge-1.19-3.1.40.jar                    |GeckoLib                      |geckolib3                     |3.1.40              |DONE      |Manifest: NOSIGNATURE         realmrpg_imps_and_demons_0.9.0_forge_1.19.2.jar   |Realm RPG: Imps & Demons      |realmrpg_demons               |0.9.0               |DONE      |Manifest: NOSIGNATURE         jei-1.19.2-forge-11.8.1.1033.jar                  |Just Enough Items             |jei                           |11.8.1.1033         |DONE      |Manifest: NOSIGNATURE         VisualWorkbench-v4.2.4-1.19.2-Forge.jar           |Visual Workbench              |visualworkbench               |4.2.4               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         The_Graveyard_2.5.3_(FORGE)_for_1.19.2..jar       |The Graveyard                 |graveyard                     |2.5.3               |DONE      |Manifest: NOSIGNATURE         caelus-forge-1.19.2-3.0.0.6.jar                   |Caelus API                    |caelus                        |1.19.2-3.0.0.6      |DONE      |Manifest: NOSIGNATURE         obscure_api-15.jar                                |Obscure API                   |obscure_api                   |15                  |DONE      |Manifest: NOSIGNATURE         waystones-forge-1.19.2-11.4.2.jar                 |Waystones                     |waystones                     |11.4.2              |DONE      |Manifest: NOSIGNATURE         journeymap-1.19.2-5.9.8-forge.jar                 |Journeymap                    |journeymap                    |5.9.8               |DONE      |Manifest: NOSIGNATURE         comforts-forge-6.0.7+1.19.2.jar                   |Comforts                      |comforts                      |6.0.7+1.19.2        |DONE      |Manifest: NOSIGNATURE         NaturesCompass-1.19.2-1.10.0-forge.jar            |Nature's Compass              |naturescompass                |1.19.2-1.10.0-forge |DONE      |Manifest: NOSIGNATURE         enigmaticlegacydelight-1.0.1-1.19.2.jar           |Enigmatic Legacy Delight      |enigmaticlegacydelight        |1.0.1-1.19.2        |DONE      |Manifest: NOSIGNATURE         SereneSeasons-1.19.2-8.1.0.24.jar                 |Serene Seasons                |sereneseasons                 |0.0NONE             |DONE      |Manifest: NOSIGNATURE         Decorative Blocks-forge-1.19.2-3.0.0.jar          |Decorative Blocks             |decorative_blocks             |3.0.0               |DONE      |Manifest: NOSIGNATURE         Guide-API-VP-1.19.2-2.2.4.jar                     |Guide-API VP                  |guideapi_vp                   |2.2.4               |DONE      |Manifest: NOSIGNATURE         starlight-1.1.1+forge.cf5b10b.jar                 |Starlight                     |starlight                     |1.1.1+forge.a3aea74 |DONE      |Manifest: NOSIGNATURE         ExplorersCompass-1.19.2-1.3.0-forge.jar           |Explorer's Compass            |explorerscompass              |1.19.2-1.3.0-forge  |DONE      |Manifest: NOSIGNATURE         davespotioneering-1.19.2-3.jar                    |Dave's Potioneering           |davespotioneering             |1.19.2-3            |DONE      |Manifest: NOSIGNATURE         medieval_paintings-1.19.2-7.0.jar                 |Medieval Paintings            |medieval_paintings            |7.0                 |DONE      |Manifest: NOSIGNATURE         ars_nouveau-1.19.2-3.23.0.jar                     |Ars Nouveau                   |ars_nouveau                   |3.23.0              |DONE      |Manifest: NOSIGNATURE         reactive-1.19.2-7e.jar                            |Reactive                      |reactive                      |1.19.2-7e           |DONE      |Manifest: NOSIGNATURE         aether_delight_1.0.0_forge_1.19.2.jar             |Aether Delight                |aetherdelight                 |1.0.0               |DONE      |Manifest: NOSIGNATURE         forge-1.19.2-43.4.4-universal.jar                 |Forge                         |forge                         |43.4.4              |DONE      |Manifest: 84:ce:76:e8:45:35:e4:0e:63:86:df:47:59:80:0f:67:6c:c1:5f:6e:5f:4d:b3:54:47:1a:9f:7f:ed:5e:f2:90         tarotcards-1.19.2-1.6.4.jar                       |Tarot Cards                   |tarotcards                    |1.19.2-1.6.4        |DONE      |Manifest: NOSIGNATURE         friendsandfoes-forge-mc1.19.2-3.0.3.jar           |Friends & Foes                |friendsandfoes                |3.0.3               |DONE      |Manifest: NOSIGNATURE         antiqueatlas-8.0.4+itemless-forge-mc1.19.2.jar    |Antique Atlas                 |antiqueatlas                  |8.0.4+itemless-forge|DONE      |Manifest: NOSIGNATURE         DungeonsArise-1.19.2-2.1.56-beta.jar              |When Dungeons Arise           |dungeons_arise                |2.1.56-1.19.2       |DONE      |Manifest: NOSIGNATURE         client-1.19.2-20220805.130853-srg.jar             |Minecraft                     |minecraft                     |1.19.2              |DONE      |Manifest: a1:d4:5e:04:4f:d3:d6:e0:7b:37:97:cf:77:b0:de:ad:4a:47:ce:8c:96:49:5f:0a:cf:8c:ae:b2:6d:4b:8a:3f         eidolon-0.3.6.jar                                 |Eidolon                       |eidolon                       |0.3.6               |DONE      |Manifest: NOSIGNATURE         sons-of-sins-1.19.2-2.1.6.jar                     |Sons of Sins                  |sons_of_sins                  |2.1.6               |DONE      |Manifest: NOSIGNATURE         simplyswords-forge-1.47.0-1.19.2.jar              |Simply Swords                 |simplyswords                  |1.47.0-1.19.2       |DONE      |Manifest: NOSIGNATURE         TerraBlender-forge-1.19.2-2.0.1.166.jar           |TerraBlender                  |terrablender                  |2.0.1.166           |DONE      |Manifest: NOSIGNATURE         BiomesOPlenty-1.19.2-17.1.2.544.jar               |Biomes O' Plenty              |biomesoplenty                 |17.1.2.544          |DONE      |Manifest: NOSIGNATURE         moonlight-1.19.2-2.3.7-forge.jar                  |Moonlight Library             |moonlight                     |1.19.2-2.3.7        |DONE      |Manifest: NOSIGNATURE         endermanoverhaul-forge-1.19.2-0.0.2.jar           |Enderman Overhaul             |endermanoverhaul              |0.0.2               |DONE      |Manifest: NOSIGNATURE         eccentrictome-1.19.2-1.10.2.jar                   |Eccentric Tome                |eccentrictome                 |1.19.2-1.10.2       |DONE      |Manifest: NOSIGNATURE         Psi-1.19-101.jar                                  |Psi                           |psi                           |2.0.0               |DONE      |Manifest: NOSIGNATURE         Jade-1.19.1-forge-8.9.2.jar                       |Jade                          |jade                          |8.9.2               |DONE      |Manifest: NOSIGNATURE         CreativeCore_FORGE_v2.11.28_mc1.19.2.jar          |CreativeCore                  |creativecore                  |2.11.28             |DONE      |Manifest: NOSIGNATURE         spectrelib-forge-0.12.8+1.19.2.jar                |SpectreLib                    |spectrelib                    |0.12.8+1.19.2       |DONE      |Manifest: NOSIGNATURE         NethersDelight-1.19-3.1.jar                       |Nether's Delight              |nethersdelight                |1.19-3.1            |DONE      |Manifest: NOSIGNATURE         aeroblender-1.19.2-1.0.1.jar                      |AeroBlender                   |aeroblender                   |1.19.2-1.0.1        |DONE      |Manifest: NOSIGNATURE         Totemic-forge-1.19.2-0.12.13.jar                  |Totemic                       |totemic                       |1.19.2-0.12.13      |DONE      |Manifest: NOSIGNATURE         kffmod-3.12.0.jar                                 |Kotlin For Forge              |kotlinforforge                |3.12.0              |DONE      |Manifest: NOSIGNATURE         dimdungeons-179-forge-1.19.0.jar                  |Dimensional Dungeons          |dimdungeons                   |179                 |DONE      |Manifest: NOSIGNATURE         BrewinAndChewin-1.19-2.0.jar                      |Brewin' and Chewin'           |brewinandchewin               |1.19-2.0            |DONE      |Manifest: NOSIGNATURE         whisperwoods-1.19-2.1.1-forge.jar                 |Whisperwoods                  |whisperwoods                  |1.19-2.1.1          |DONE      |Manifest: NOSIGNATURE         FarmersRespite-1.19-2.0.jar                       |Farmer's Respite              |farmersrespite                |1.19-2.0            |DONE      |Manifest: NOSIGNATURE         flywheel-forge-1.19.2-0.6.11-22.jar               |Flywheel                      |flywheel                      |0.6.11-22           |DONE      |Manifest: NOSIGNATURE         create-1.19.2-0.5.1.i.jar                         |Create                        |create                        |0.5.1.i             |DONE      |Manifest: NOSIGNATURE         reliquary-1.19.2-2.0.40.1198.jar                  |Reliquary                     |reliquary                     |1.19.2-2.0.40.1198  |DONE      |Manifest: NOSIGNATURE         gobber_delight_2.0.0_forge_1.19.2.jar             |Gobber Delight (by NoCube)    |gobberdelight                 |2.0.0               |DONE      |Manifest: NOSIGNATURE         malum-1.19.2-1.5.0.4.jar                          |Malum                         |malum                         |1.19.2-1.5.0.4-25   |DONE      |Manifest: NOSIGNATURE         AutoRegLib-1.8.2-55.jar                           |AutoRegLib                    |autoreglib                    |1.8.2-55            |DONE      |Manifest: NOSIGNATURE         Quark-3.4-418.jar                                 |Quark                         |quark                         |3.4-418             |DONE      |Manifest: NOSIGNATURE         supplementaries-1.19.2-2.4.20.jar                 |Supplementaries               |supplementaries               |1.19.2-2.4.20       |DONE      |Manifest: NOSIGNATURE         Nullscape_1.19.3_v1.2.2.jar                       |Nullscape                     |nullscape                     |1.2.2               |DONE      |Manifest: NOSIGNATURE         ars_elemental-1.19.2-0.5.9.4.1.jar                |Ars Elemental                 |ars_elemental                 |1.19.2-0.5.9.4.1    |DONE      |Manifest: NOSIGNATURE         irons_spellbooks-1.19.2-3.4.0.jar                 |Iron's Spells 'n Spellbooks   |irons_spellbooks              |1.19.2-3.4.0        |DONE      |Manifest: NOSIGNATURE         miners_delight-1.19.2-1.1.2.jar                   |Miner's Delight               |miners_delight                |1.19.2-1.1.2        |DONE      |Manifest: NOSIGNATURE         ars_instrumentum-1.19.2-3.4.5.jar                 |Ars Instrumentum              |ars_instrumentum              |3.4.5               |DONE      |Manifest: NOSIGNATURE         dimdoors-5.4.1-1.19.2-forge.jar                   |DimensionalDoors              |dimdoors                      |5.4.1               |DONE      |Manifest: NOSIGNATURE         modonomicon-1.19.2-1.34.0.jar                     |Modonomicon                   |modonomicon                   |1.34.0              |DONE      |Manifest: NOSIGNATURE         Wesley's Roguelike Dungeons 1.19.2-2.3.2.jar      |Wesley's Roguelike Dungeons   |wrd                           |2.0.0               |DONE      |Manifest: NOSIGNATURE         oceansdelight-1.0.2-1.19.2.jar                    |Ocean's Delight               |oceansdelight                 |1.0.2-1.19.2        |DONE      |Manifest: NOSIGNATURE         mvs-4.1.4-1.19.2-forge.jar                        |Moog's Voyager Structures     |mvs                           |4.1.4-1.19.2-forge  |DONE      |Manifest: NOSIGNATURE         creeperoverhaul-2.0.9-forge.jar                   |Creeper Overhaul              |creeperoverhaul               |2.0.9               |DONE      |Manifest: NOSIGNATURE         appleskin-forge-mc1.19-2.4.2.jar                  |AppleSkin                     |appleskin                     |2.4.2+mc1.19        |DONE      |Manifest: NOSIGNATURE         alexsdelight-1.4.1.jar                            |Alex's Delight                |alexsdelight                  |1.4.1               |DONE      |Manifest: NOSIGNATURE         Vampirism-1.19.2-1.9.5.jar                        |Vampirism                     |vampirism                     |1.9.5               |DONE      |Manifest: NOSIGNATURE         Werewolves-1.19.2-1.1.0.1.jar                     |Werewolves                    |werewolves                    |1.1.0.1             |DONE      |Manifest: NOSIGNATURE         ferritecore-5.0.3-forge.jar                       |Ferrite Core                  |ferritecore                   |5.0.3               |DONE      |Manifest: 41:ce:50:66:d1:a0:05:ce:a1:0e:02:85:9b:46:64:e0:bf:2e:cf:60:30:9a:fe:0c:27:e0:63:66:9a:84:ce:8a         occultism-1.19.2-1.90.0.jar                       |Occultism                     |occultism                     |1.90.0              |DONE      |Manifest: NOSIGNATURE         ars_ocultas-1.19.2-0.1.1-all.jar                  |Ars Ocultas                   |ars_ocultas                   |1.19.2-0.1.1        |DONE      |Manifest: NOSIGNATURE         PuzzlesLib-v4.4.3-1.19.2-Forge.jar                |Puzzles Lib                   |puzzleslib                    |4.4.3               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         Aquaculture-1.19.2-2.4.17.jar                     |Aquaculture 2                 |aquaculture                   |1.19.2-2.4.17       |DONE      |Manifest: NOSIGNATURE         valkyrienskies-119-2.1.2-beta.1.jar               |Valkyrien Skies 2             |valkyrienskies                |2.1.2-beta.1        |DONE      |Manifest: NOSIGNATURE         eureka-1192-1.5.1-beta.2.jar                      |VS Eureka Mod                 |vs_eureka                     |1.5.1-beta.2        |DONE      |Manifest: NOSIGNATURE         lodestone-1.19.2-1.4.2.90.jar                     |Lodestone                     |lodestone                     |1.19.2-1.4.2.90     |DONE      |Manifest: NOSIGNATURE         CrabbersDelight-1.19.2-1.1.4.jar                  |Crabber's Delight             |crabbersdelight               |1.1.4               |DONE      |Manifest: NOSIGNATURE         valhelsia_core-forge-1.19.2-0.5.0.jar             |Valhelsia Core                |valhelsia_core                |1.19.2-0.5.0        |DONE      |Manifest: NOSIGNATURE         forbidden_arcanus-1.19.2-2.1.5.jar                |Forbidden & Arcanus           |forbidden_arcanus             |1.19.2-2.1.5        |DONE      |Manifest: NOSIGNATURE         magipsi-3.0.0+1.19.2.jar                          |Magical Psi                   |magipsi                       |3.0.0+1.19.2        |DONE      |Manifest: NOSIGNATURE         UndeadUnleashed-1.1.1-1.19.2.jar                  |Undead Unleashed              |undead_unleashed              |1.1.0               |DONE      |Manifest: NOSIGNATURE         aquamirae-6.API15.jar                             |Aquamirae                     |aquamirae                     |6.API15             |DONE      |Manifest: NOSIGNATURE     Crash Report UUID: 173fd5d3-4f06-41cc-b491-2305936fc737     FML: 43.4     Forge: net.minecraftforge:43.4.4     Flywheel Backend: Off
    • Check the server's log files for more detailed error messages.
  • Topics

×
×
  • Create New...

Important Information

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