Jump to content

Recommended Posts

Posted

Hello I would like to ask if someone would know to  make a Workbench ( just like the Vanilla One (of course i will change the Pictures and such) that Only accepts Recipes I made ? so i have a Page full of Recipes and It can only Craft those Items and no Other.

It would be realy Nice if someone were to know because If i was able to make such a thing it would Help sooo much.

 

P.s

-Im sorry if my English isnt the best  I am from germany and i talk way better English then I  write sometimes.

Thanks in Advance !,

-KhrBasil

Posted

In the tutorials, you can create a block with a container/gui, just edit that code to fit the vanilla crafting table

The Korecraft Mod

Posted

Well classes besides Blocks and Items are and the Main Code are my Client and Common Proxys .

I am a bit new to modding as well coding so it would be cool if you could explain how some things there work if possible.

Thanks to everyone who wants to Help ! :D

Posted

Okay...

 

Now, first of all in your class where you register an call the blocks and stuff (so probably your main mod class) do these, like you usually do:

 

 

 

//the block
blockName = new BLOCKNAME(blockID).setHardness(1.0F).setResistance(F).setStepSound(Block.soundWoodFootstep).setBlockName("blockYOURBLOCKNAME");

//game registry
GameRegistry.registerBlock(BLOCKNAME);
GameRegistry.registerTileEntity(TileEntityYOURBLOCK.class, "TileEntityYOURBLOCK");


private GuiHandler guiHandler = new GuiHandler();
NetworkRegistry.instance().registerGuiHandler(instance, guiHandler);


 

 

 

 

Just like the usual stuff. Create the TileEntity class, the block-class and the GuiHandler class. Also don't forget the LanguageRegistry for your block.

 

 

In your Block Class:

 

 

public class YOURBLOCK extends BlockContainer {

public YOURBLOCK(int blockID){
        super(blockID, Material.wood);
        this.setCreativeTab(CreativeTabs.tabBlock);
  
}


@Override
public boolean onBlockActivated(World world, int x, int y, int z, EntityPlayer player, int i, float f, float g, float t){
        
                if(tile_entity == null || player.isSneaking()){
                return false;
                }

        player.openGui(YOURMODCLASS.instance, 1, world, x, y, z);
        return true;
        }

        @Override
public TileEntity createNewTileEntity(World world){
        return new TileEntityYOURBLOCK();
}

@Override
public String getTextureFile(){
	return YOUR_TEXTURE_PATH;
}	
}

 

 

 

This is just like a basic block, except for onBlockActivated, which makes it open the gui.

Watch out at this line:

player.openGui(YOURMODCLASS.instance, 1, world, x, y, z);

 

The "1" is the internal GuiID. If you plan to add more Guis, you should probably create an extra class, like GuiIDs ore something where you just store them as integers, like

public static final int YOURBLOCK = 1;
public static final int YOURBLOCK2 = 2;

and then just call them with GuiIDs.YOURMODBLOCK in the line instead of 1.

 

Now to the GuiHandler class, that you made when registering it in you main mod class:

 

 

 

public class GuiHandler implements IGuiHandler {

 @Override
     public Object getClientGuiElement(int ID, EntityPlayer player, World world, int x, int y, int z){
    
	 if (!world.blockExists(x, y, z))
			return null;

		TileEntity tile = world.getBlockTileEntity(x, y, z);

		switch (ID) {

		case 1:
			if (!(tile instanceof TileEntityYOURBLOCK))
				return null;
			return new GuiYOURBLOCK(player.inventory, (TileEntityYOURBLOCK) tile);

		default:
			return null;
		}
     }


  @Override
      public Object getServerGuiElement(int ID, EntityPlayer player, World world, int x, int y, int z){
     
	  if (!world.blockExists(x, y, z))
			return null;

		TileEntity tile = world.getBlockTileEntity(x, y, z);

		switch (ID) {

		case 1:
			if (!(tile instanceof TileYOURBLOCK))
				return null;
			return new ContainerYOURBLOCK(player.inventory, (TileYOURBLOCK) tile);


		default:
			return null;
		}
     
  }
}

 

 

 

Note that the getClientGuiElement returns the GUI of your block and the getServerGuiElement returns the Container of your block.

The gui is just the texture and text if you want it, where the container actually gives you the slots to put stuff in.

Also, If you are using the GuiIDs class, instead of writing "case 1:"  do  "case GuiIDs.YOURBLOCK", so everything is controlled by the GuiIDs class if you want to change the guiIDs around.

 

 

 

Now to the Container Class. Create it at first, just like eclipse should recommend you in your GuiHandler Class.

If you have a normal 3x3 crafting table you can pretty much just copy it from the ContainerWorkbench class. If you have something different, like a 2x2, 3x1 or basically anything, you'll have to change some things. I'll explain it if you want.

For now I recommend just copying the ContainerWorkbench.class

 

The only thing you have to change is onCraftMatrixChanged:

 

@Override
    public void onCraftMatrixChanged(IInventory par1IInventory){
		craftResult.setInventorySlotContents(0, CraftingManagerYOURBLOCKNAME.getInstance().findMatchingRecipe(craftMatrix, worldObj));
	}

 

Create the CraftingManagerYOURBLOCKNAME class, but worry about it later.

First the GuiYOURBLOCK class:

 

 

 

public class GuiYOURBLOCK extends GuiContainer {

public GuiYOURBLOCK(InventoryPlayer player_inventory, TileEntityYOURBLOCK tile_entity){
         super(new ContainerYOURBLOCK(player_inventory, tile_entity));
}


@Override
protected void drawGuiContainerForegroundLayer(int i, int j){
         fontRenderer.drawString("THE TEXT AT THE TOP", 75, 6, 0x404040);
  
}


@Override
protected void drawGuiContainerBackgroundLayer(float f, int i, int j){

         int picture = mc.renderEngine.getTexture(YOURTEXTUREPATH);
        
         GL11.glColor4f(1.0f, 1.0f, 1.0f, 1.0f);
        
         this.mc.renderEngine.bindTexture(picture);
        
         int x = (width - xSize) / 2;
        
         int y = (height - ySize) / 2;
        
         this.drawTexturedModalRect(x, y, 0, 0, xSize, ySize);
}
}

 

 

You don't have to draw a text at the top, but if you want, you probably have to play around with the x and y coordinates a bit.

 

Now to the CraftingManagerYOURBLOCKNAME class:

 

 

 

public class CraftingManagerYOURBLOCKNAME {

private static final CraftingManagerYOURBLOCKNAME instance = new CraftingManagerYOURBLOCKNAME();
private List recipes = new ArrayList();

public static final CraftingManagerYOURBLOCKNAME getInstance() {
return instance;
}
public CraftingManagerYOURBLOCKNAME() {

       addRecipe(new ItemStack(Block.wood), new Object[]
{
"###",
"###",
"###",
Character.valueOf('#'), Item.ingotIron
});

}

void addRecipe(ItemStack par1ItemStack, Object par2ArrayOfObj[])
{
	String s = "";
	int i = 0;
	int j = 0;
	int k = 0;

	if (par2ArrayOfObj[i] instanceof String[])
	{
		String as[] = (String[])par2ArrayOfObj[i++];

		for (int l = 0; l < as.length; l++)
		{
			String s2 = as[l];
			k++;
			j = s2.length();
			s = (new StringBuilder()).append(s).append(s2).toString();
		}
	}
	else
	{
		while (par2ArrayOfObj[i] instanceof String)
		{
			String s1 = (String)par2ArrayOfObj[i++];
			k++;
			j = s1.length();
			s = (new StringBuilder()).append(s).append(s1).toString();
		}
	}

	HashMap hashmap = new HashMap();

	for (; i < par2ArrayOfObj.length; i += 2)
	{
		Character character = (Character)par2ArrayOfObj[i];
		ItemStack itemstack = null;

		if (par2ArrayOfObj[i + 1] instanceof Item)
		{
			itemstack = new ItemStack((Item)par2ArrayOfObj[i + 1]);
		}
		else if (par2ArrayOfObj[i + 1] instanceof Block)
		{
			itemstack = new ItemStack((Block)par2ArrayOfObj[i + 1], 1, -1);
		}
		else if (par2ArrayOfObj[i + 1] instanceof ItemStack)
		{
			itemstack = (ItemStack)par2ArrayOfObj[i + 1];
		}

		hashmap.put(character, itemstack);
	}

	ItemStack aitemstack[] = new ItemStack[j * k];

	for (int i1 = 0; i1 < j * k; i1++)
	{
		char c = s.charAt(i1);

		if (hashmap.containsKey(Character.valueOf(c)))
		{
			aitemstack[i1] = ((ItemStack)hashmap.get(Character.valueOf(c))).copy();
		}
		else
		{
			aitemstack[i1] = null;
		}
	}

	recipes.add(new ShapedRecipes(j, k, aitemstack, par1ItemStack));
}

public void addShapelessRecipe(ItemStack par1ItemStack, Object par2ArrayOfObj[])
{
	ArrayList arraylist = new ArrayList();
	Object aobj[] = par2ArrayOfObj;
	int i = aobj.length;

	for (int j = 0; j < i; j++)
	{
		Object obj = aobj[j];

		if (obj instanceof ItemStack)
		{
			arraylist.add(((ItemStack)obj).copy());
			continue;
		}

		if (obj instanceof Item)
		{
			arraylist.add(new ItemStack((Item)obj));
			continue;
		}

		if (obj instanceof Block)
		{
			arraylist.add(new ItemStack((Block)obj));
		}
		else
		{
			throw new RuntimeException("Invalid shapeless recipe!");
		}
	}

	recipes.add(new ShapelessRecipes(par1ItemStack, arraylist));
}

public ItemStack findMatchingRecipe(InventoryCrafting par1InventoryCrafting, World par2World)
{
	int i = 0;
	ItemStack itemstack = null;
	ItemStack itemstack1 = null;

	for (int j = 0; j < par1InventoryCrafting.getSizeInventory(); j++)
	{
		ItemStack itemstack2 = par1InventoryCrafting.getStackInSlot(j);

		if (itemstack2 == null)
		{
			continue;
		}

		if (i == 0)
		{
			itemstack = itemstack2;
		}

		if (i == 1)
		{
			itemstack1 = itemstack2;
		}

		i++;
	}

	if (i == 2 && itemstack.itemID == itemstack1.itemID && itemstack.stackSize == 1 && itemstack1.stackSize == 1 && Item.itemsList[itemstack.itemID].isDamageable())
	{
		Item item = Item.itemsList[itemstack.itemID];
		int l = item.getMaxDamage() - itemstack.getItemDamageForDisplay();
		int i1 = item.getMaxDamage() - itemstack1.getItemDamageForDisplay();
		int j1 = l + i1 + (item.getMaxDamage() * 10) / 100;
		int k1 = item.getMaxDamage() - j1;

		if (k1 < 0)
		{
			k1 = 0;
		}

		return new ItemStack(itemstack.itemID, 1, k1);
	}

	for (int k = 0; k < recipes.size(); k++)
	{
		IRecipe irecipe = (IRecipe)recipes.get(k);

		if (irecipe.matches(par1InventoryCrafting, par2World))
		{
			return irecipe.getCraftingResult(par1InventoryCrafting);
		}
	}

	return null;
}

/**
 * returns the List<> of all recipes
 */
public List getRecipeList()
{
	return recipes;
}
}

 

 

 

Now this is pretty much the same as the vanilla CraftingManager class, look at it to understand how it works. You just add the recipes at the top, with the same pattern. The recipe that's in there currently is just an example.

 

You also need a RecipeSorter, as far as I know:

 

 

 

public class RecipeSorterYOURBLOCKNAME implements Comparator
{
final CraftingManagerYOURBLOCKNAME CraftingManagerYOURBLOCKNAME;

RecipeSorterYOURBLOCKNAME(CraftingManagerYOURBLOCKNAME par1CraftingManagerYOURBLOCKNAME)
{
CraftingManagerYOURBLOCKNAME = par1CraftingManagerYOURBLOCKNAME;
}

public int compareRecipes(IRecipe par1IRecipe, IRecipe par2IRecipe)
{
if ((par1IRecipe instanceof ShapelessRecipes) && (par2IRecipe instanceof ShapedRecipes))
{
return 1;
}

if ((par2IRecipe instanceof ShapelessRecipes) && (par1IRecipe instanceof ShapedRecipes))
{
return -1;
}

if (par2IRecipe.getRecipeSize() < par1IRecipe.getRecipeSize())
{
return -1;
}

return par2IRecipe.getRecipeSize() <= par1IRecipe.getRecipeSize() ? 0 : 1;
}

public int compare(Object par1Obj, Object par2Obj)
{
return compareRecipes((IRecipe)par1Obj, (IRecipe)par2Obj);
}

}

 

 

 

 

NOW

Take a breath.

 

That should be it. I probably forgot something, so tell me if it works. I have not tested this code yet, but that should be it and it should work :)

Don't forget to import all the needed stuff if you copy some code from here.

 

I am in no way a pro at this, and there is probably some unnecessary stuff, but other people that view this will tell you, (and me) :)

Posted

Wow Thanks alot for doing that :D

Sadly i just added all in exactly as you wrote but yeah there are tons of Errors I dont know how to fix em tho...

Just tell me how i should send you the errors and Ill do that ^^ and again Thanks soooo much :D

-KhrBasil

Posted

Thank you. I need it too.

There are several issues:

[*]It will work on the server?

[*]This requires PacketHandler?

English is not my native language

Posted

Okay, so here is the updated "Tutorial".

Sorry, it took quite long because I have lots of stuff to do IRL at the moment.

 

I've written a mod just for this tutorial, I will post all the classes in spoilers here and put a little explaining text beneath them if necessary.

 

The mod is just called Mod1. I've named the block "Crafter", so replace it in the corresponding places with your own block name. If you do everything like this, it should work fine.

 

I am posting every class with imports, because at some places there are several possible imports that eclipse suggests you, but if you import the wrong thing it won't work.

 

Main Mod Class:

 

package mod;

import mod.Block.Crafter;
import mod.Tile.TileCrafter;
import mod.client.handler.ClientPacketHandler;
import mod.client.handler.GuiHandler;
import mod.client.proxy.ClientProxy;
import mod.handler.ServerPacketHandler;
import mod.proxy.CommonProxy;
import net.minecraft.block.Block;
import net.minecraft.block.material.Material;
import net.minecraftforge.common.Configuration;
import cpw.mods.fml.common.Mod;
import cpw.mods.fml.common.Mod.Init;
import cpw.mods.fml.common.Mod.Instance;
import cpw.mods.fml.common.Mod.PostInit;
import cpw.mods.fml.common.Mod.PreInit;
import cpw.mods.fml.common.SidedProxy;
import cpw.mods.fml.common.event.FMLInitializationEvent;
import cpw.mods.fml.common.event.FMLPostInitializationEvent;
import cpw.mods.fml.common.event.FMLPreInitializationEvent;
import cpw.mods.fml.common.network.NetworkMod;
import cpw.mods.fml.common.network.NetworkMod.SidedPacketHandler;
import cpw.mods.fml.common.network.NetworkRegistry;
import cpw.mods.fml.common.registry.GameRegistry;
import cpw.mods.fml.common.registry.LanguageRegistry;


@Mod(modid = "Mod", name = "Mod", version = "1.0")
@NetworkMod(clientSideRequired = true, serverSideRequired = false, 
	clientPacketHandlerSpec = @SidedPacketHandler(channels = {"Mod"}, 
			packetHandler = ClientPacketHandler.class),
	serverPacketHandlerSpec =@SidedPacketHandler(channels = {"Mod"}, 
			packetHandler = ServerPacketHandler.class))

public class Mod1 {

@Instance("Mod")
public static Mod1 instance;

@SidedProxy
(clientSide = "mod.client.proxy.ClientProxy", 
	serverSide = "mod.proxy.CommonProxy")
public static CommonProxy proxy;
public static ClientProxy clientproxy;

    private GuiHandler guiHandler = new GuiHandler();




@PreInit
public void PreInit(FMLPreInitializationEvent event)
{
        Configuration config = new Configuration(event.getSuggestedConfigurationFile());
        
        config.load();
        
        crafterID = config.getBlock("Crafter", 4000).getInt();
        
        config.save();
        

}



@Init
public void load(FMLInitializationEvent event)
{
	crafter = new Crafter(crafterID, 1, Material.wood);

	GameRegistry.registerBlock(crafter, "Crafter");
	GameRegistry.registerTileEntity(TileCrafter.class, "TileCrafter");

	LanguageRegistry.addName(crafter, "Crafter");

	NetworkRegistry.instance().registerGuiHandler(instance, guiHandler);

}



@PostInit
public void PostInit(FMLPostInitializationEvent event)
{


}



public static int crafterID;
public static Block crafter;


}

 

Just your old simple Main Class. Registering a Block and a TileEntity. The only 'new' thing is the GuiHandler.

 

Block - Crafter

 

package mod.Block;

import mod.Mod1;
import mod.Tile.TileCrafter;
import mod.lib.GuiIDs;
import net.minecraft.block.BlockContainer;
import net.minecraft.block.material.Material;
import net.minecraft.creativetab.CreativeTabs;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.world.World;

public class Crafter extends BlockContainer {

public Crafter(int id, int texture, Material material)
{
	super(id, texture, material);
	setHardness(1.2F);
	setResistance(10.0F);
	setBlockName("crafter");
	setCreativeTab(CreativeTabs.tabBlock);

}


@Override
public boolean onBlockActivated(World world, int x, int y, int z, EntityPlayer player, int i, float f, float g, float t)
{
        TileEntity tile_entity = world.getBlockTileEntity(x, y, z);
        
                if(tile_entity == null || player.isSneaking()){
                return false;
                }

        player.openGui(Mod1.instance, GuiIDs.CRAFTER, world, x, y, z);
        return true;
        }


@Override
public void breakBlock(World world, int x, int y, int z, int i, int j)
{
        super.breakBlock(world, x, y, z, i, j);
        }


@Override
public TileEntity createNewTileEntity(World world)
{
	return new TileCrafter();
}


}

 

This is just like a normal block, except it extends BlockContainer. It creates a TileEntity called TileCrafter, and the onBlockActivated opens the GUI, managed by the GuiHandler (we will get to it in a moment). If the player is sneaking, it won't open it.

 

 

TileEntity - TileCrafter

 

package mod.Tile;

import mod.Gui.ContainerCrafter;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.inventory.IInventory;
import net.minecraft.item.ItemStack;
import net.minecraft.nbt.NBTTagCompound;
import net.minecraft.nbt.NBTTagList;
import net.minecraft.tileentity.TileEntity;

public class TileCrafter extends TileEntity implements IInventory {

private ItemStack[] inventory;


    public TileCrafter(){
            this.inventory = new ItemStack[ContainerCrafter.InputSlotNumber];//number of slots - without product slot
            this.canUpdate();
           
    }
   
    @Override
    public int getSizeInventory(){
            return this.inventory.length;
    }
   
    
    @Override
    public ItemStack getStackInSlot(int slotIndex){
            return this.inventory[slotIndex];
    }
   
    
    @Override
    public void setInventorySlotContents(int slot, ItemStack stack){
            this.inventory[slot] = stack;
           
            if(stack != null && stack.stackSize > getInventoryStackLimit()){
                    stack.stackSize = getInventoryStackLimit();
            }
    }
   
   
    @Override
    public ItemStack decrStackSize(int slotIndex, int amount){
   
            ItemStack stack = getStackInSlot(slotIndex);
           
           
            if(stack != null){
           
                    if(stack.stackSize <= amount){
                            setInventorySlotContents(slotIndex, null);
                    }
                    else{
                            stack = stack.splitStack(amount);
                            if(stack.stackSize == 0){
                                    setInventorySlotContents(slotIndex, null);
                            }
                    }
            }
   
   
            return stack;
    }
   
   
    @Override
    public ItemStack getStackInSlotOnClosing(int slotIndex){
   
            ItemStack stack = getStackInSlot(slotIndex);
           
           
            if(stack != null){
                    setInventorySlotContents(slotIndex, null);
            }
           
           
            return stack;
    }
   
   
    @Override
    public int getInventoryStackLimit(){
            return 64;
    }
   
   
    @Override
    public boolean isUseableByPlayer(EntityPlayer player){
            return worldObj.getBlockTileEntity(xCoord, yCoord, zCoord) == this && player.getDistanceSq(xCoord + 0.5, yCoord + 0.5, zCoord + 0.5) < 64;
    }
  
   
    @Override
    public void openChest() {}
   
    
    @Override
    public void closeChest() {}
   
   
    @Override
    public String getInvName(){
    return "TileCrafter";
    }
}

 

The TileEntity. You will get an Error at "ContainerCrafter.InputSlotNumber", but it will be fixed once the ContainerCrafter class is created and ready.

 

GuiHandler

 

package mod.client.handler;

import mod.Gui.ContainerCrafter;
import mod.Gui.GuiCrafter;
import mod.Tile.TileCrafter;
import mod.lib.GuiIDs;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.world.World;
import cpw.mods.fml.common.network.IGuiHandler;

public class GuiHandler implements IGuiHandler {

 @Override
     public Object getClientGuiElement(int ID, EntityPlayer player, World world, int x, int y, int z){
    
	 if (!world.blockExists(x, y, z))
			return null;

		TileEntity tile = world.getBlockTileEntity(x, y, z);

		switch (ID) {

		case GuiIDs.CRAFTER:
			if (!(tile instanceof TileCrafter))
				return null;
			return new GuiCrafter(player.inventory, (TileCrafter) tile);

		default:
			return null;
		}
     }


  @Override
      public Object getServerGuiElement(int ID, EntityPlayer player, World world, int x, int y, int z){
     
	  if (!world.blockExists(x, y, z))
			return null;

		TileEntity tile = world.getBlockTileEntity(x, y, z);

		switch (ID) {

		case GuiIDs.CRAFTER:
			if (!(tile instanceof TileCrafter))
				return null;
			return new ContainerCrafter(player.inventory, (TileCrafter) tile);


		default:
			return null;
		}
     
  }

}

 

This handles which Gui should be opened for which TileEntity. "getServerGuiElement" returns the Container class, "getClientGuiElement" the Gui class.

 

GuiIDs

 

package mod.lib;

public class GuiIDs {

public static final int CRAFTER = 1;

}

 

This is just a class with a bunch of integers in it. You don't need it, but if you want to have more Guis and Inventories, it's beneficial, because you can just manage your Guis much easier.

The numbers are mod-intern, so you can pretty much choose any.

 

 

The Container - ContainerCrafter

 

package mod.Gui;

import mod.Mod1;
import mod.Tile.TileCrafter;
import mod.handler.CraftingManagerCrafter;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.entity.player.InventoryPlayer;
import net.minecraft.inventory.Container;
import net.minecraft.inventory.IInventory;
import net.minecraft.inventory.InventoryCraftResult;
import net.minecraft.inventory.InventoryCrafting;
import net.minecraft.inventory.Slot;
import net.minecraft.inventory.SlotCrafting;
import net.minecraft.item.ItemStack;
import net.minecraft.world.World;

public class ContainerCrafter extends Container {

protected TileCrafter tile_entity;
public InventoryCrafting craftMatrix = new InventoryCrafting(this, 3, 3);
    public IInventory craftResult = new InventoryCraftResult();
    private World worldObj;
    private int posX;
    private int posY;
    private int posZ;
   
    public static int InputSlotNumber = 9; //Number of Slots in the Crafting Grid
    public static int InOutputSlotNumber = InputSlotNumber + 1; //Same plus Output Slot
    public static int InventorySlotNumber = 36; //Inventory Slots (Inventory and Hotbar)
    public static int InventoryOutSlotNumber = InventorySlotNumber + 1; //Inventory Slot Number + Output
    public static int FullSlotNumber = InventorySlotNumber + InOutputSlotNumber; //All slots
    
    
    
    public ContainerCrafter(InventoryPlayer inventory, TileCrafter tile){

   
    		this.tile_entity = tile;
            int o=0;
            
            int var6;
            int var7;
            worldObj = tile.worldObj;
            posX = tile.xCoord;
            posY = tile.yCoord;
            posZ = tile.zCoord;
  

            addSlotToContainer(new SlotCrafting(inventory.player, this.craftMatrix, craftResult, 0, 124, 35));
            
            for (var6 = 0; var6 < 3; ++var6)
            {
                for (var7 = 0; var7 < 3; ++var7)
                {
                    this.addSlotToContainer(new Slot(this.craftMatrix, var7 + var6 * 3, 30 + var7 * 18, 17 + var6 * 18));
                }
            }
            

            

            for (var6 = 0; var6 < 3; ++var6)
            {
                for (var7 = 0; var7 < 9; ++var7)
                {
                    this.addSlotToContainer(new Slot(inventory, var7 + var6 * 9 + 9, 8 + var7 * 18, 84 + var6 * 18));
                }
            }

            for (var6 = 0; var6 < 9; ++var6)
            {
                this.addSlotToContainer(new Slot(inventory, var6, 8 + var6 * 18, 142));
            }

            this.onCraftMatrixChanged(this.craftMatrix);
           
           
            
           }

   
    @Override
    public void onCraftMatrixChanged(IInventory par1IInventory){
		craftResult.setInventorySlotContents(0, CraftingManagerCrafter.getInstance().findMatchingRecipe(craftMatrix, worldObj));
	}


    @Override
	public void onCraftGuiClosed(EntityPlayer par1EntityPlayer)
	{

		super.onCraftGuiClosed(par1EntityPlayer);

		if (worldObj.isRemote)
		{
			return;
		}

		for (int i = 0; i < InputSlotNumber; i++)
		{
			ItemStack itemstack = craftMatrix.getStackInSlotOnClosing(i);

			if (itemstack != null)
			{
				par1EntityPlayer.dropPlayerItem(itemstack);
			}
		}

	}

    
    @Override
	public boolean canInteractWith(EntityPlayer par1EntityPlayer){
		if (worldObj.getBlockId(posX, posY, posZ) != Mod1.crafter.blockID){
			return false;
		}

		return par1EntityPlayer.getDistanceSq((double)posX + 0.5D, (double)posY + 0.5D, (double)posZ + 0.5D) <= 64D;
	}
     
    
   @Override
   public ItemStack transferStackInSlot(EntityPlayer par1EntityPlayer, int par2)
    {
        ItemStack var3 = null;
        Slot var4 = (Slot)this.inventorySlots.get(par2);

        if (var4 != null && var4.getHasStack())
        {
            ItemStack var5 = var4.getStack();
            var3 = var5.copy();

            if (par2 == 0)
            {
                if (!this.mergeItemStack(var5, InOutputSlotNumber, FullSlotNumber, true))
                {
                    return null;
                }

                var4.onSlotChange(var5, var3);
            }
            else if (par2 >= InOutputSlotNumber && par2 < InventoryOutSlotNumber)
            {
                if (!this.mergeItemStack(var5, InventoryOutSlotNumber, FullSlotNumber, false))
                {
                    return null;
                }
            }
            else if (par2 >= InventoryOutSlotNumber && par2 < FullSlotNumber)
            {
                if (!this.mergeItemStack(var5, InOutputSlotNumber, InventoryOutSlotNumber, false))
                {
                    return null;
                }
            }
            else if (!this.mergeItemStack(var5, InOutputSlotNumber, FullSlotNumber, false))
            {
                return null;
            }

            if (var5.stackSize == 0)
            {
                var4.putStack((ItemStack)null);
            }
            else
            {
                var4.onSlotChanged();
            }

            if (var5.stackSize == var3.stackSize)
            {
                return null;
            }

            var4.onPickupFromSlot(par1EntityPlayer, var5);
        }

        return var3;
    }
}

 

This is the Container class. It creates the slots for your items to go in. More Explanation here:

 

 

Because we want to make a Crafting Table, we need a crafting grid:

public InventoryCrafting craftMatrix = new InventoryCrafting(this, 3, 3);

This makes one. It's 3x3. You can change the numbers at the end to pretty much anything, so 3x1, 5x5, 2x2, 9x9, basically x*y.

You add a slot to it like this:

addSlotToContainer(new Slot(this.craftMatrix, 0, 124, 35))

124 and 35 are the coordinates, 0 is the ID. In this particular class, I just used a for loop to add the slots, it's the same mojang uses for the vanilla Workbench. To add another slot to it you just increase the ID by one and change the coordinates.

 

The functions

 

onCraftMatrixChanged

public void onCraftMatrixChanged(IInventory par1IInventory){
		craftResult.setInventorySlotContents(0, CraftingManagerCrafter.getInstance().findMatchingRecipe(craftMatrix, worldObj));
	}

This just makes sure that every time the crafting grid gets changed in any way, the game checks for any recipes that match the current pattern. The CraftingManagerCrafter class does that, we will get to it in a moment.

 

onCraftGuiClosed

This drops all the items that were in the crafting grid on the floor when you close the gui, just like the vanilla crafting table. If you don't have that function in there, the items will just disappear, because we don't save the slots in the TileEntity.

 

transferStackInSlot

This makes it so you can shift click the result out of the table, it's the same as the one for the vanilla crafting table, except I changed out the numbers with the variables we defined on top (InputSlotNumber etc.), so you can easily adjust it for other size crafting tables.

 

 

 

 

The Gui - GuiCrafter

 

package mod.Gui;

import mod.Tile.TileCrafter;
import mod.proxy.CommonProxy;
import net.minecraft.client.gui.inventory.GuiContainer;
import net.minecraft.entity.player.InventoryPlayer;

import org.lwjgl.opengl.GL11;

public class GuiCrafter extends GuiContainer {

public GuiCrafter(InventoryPlayer player_inventory, TileCrafter tile){
        super(new ContainerCrafter(player_inventory, tile));
}


@Override
protected void drawGuiContainerForegroundLayer(int i, int j){
        fontRenderer.drawString("Crafter", 75, 6, 0x404040);

}


@Override
protected void drawGuiContainerBackgroundLayer(float f, int i, int j){

        int picture = mc.renderEngine.getTexture(TEXTURE-PATH);
       
        GL11.glColor4f(1.0f, 1.0f, 1.0f, 1.0f);
       
        this.mc.renderEngine.bindTexture(picture);
       
        int x = (width - xSize) / 2;
       
        int y = (height - ySize) / 2;
       
        this.drawTexturedModalRect(x, y, 0, 0, xSize, ySize);
}
}

 

This just draws the box. You have to replace "TEXTURE-PATH" with the Image for your Gui. Make sure the slots on the image match with the slot positions defined in the Container. If you copy the vanilla gui of the crafting table it should fit.

        fontRenderer.drawString("Crafter", 75, 6, 0x404040);

draws the text on top of the gui, 75 and 6 are the coordinates, the other number is the color in hexadecimal notation.

 

 

The Crafting Manager - CraftingManagerCrafter

 

package mod.handler;

import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;

import net.minecraft.block.Block;
import net.minecraft.inventory.InventoryCrafting;
import net.minecraft.item.Item;
import net.minecraft.item.ItemStack;
import net.minecraft.item.crafting.IRecipe;
import net.minecraft.item.crafting.ShapedRecipes;
import net.minecraft.item.crafting.ShapelessRecipes;
import net.minecraft.world.World;

public class CraftingManagerCrafter {

private static final CraftingManagerCrafter instance = new CraftingManagerCrafter();
private List recipes = new ArrayList();

public static final CraftingManagerCrafter getInstance() {
return instance;
}
public CraftingManagerCrafter() {

//just a example recipe so you know how to add them
addRecipe(new ItemStack(Item.diamond), new Object[]
{
"###",
"###",
"###",
Character.valueOf('#'), Item.ingotIron
});

//another example Recipe, but shapeless
addShapelessRecipe(new ItemStack(Item.cake),new Object[]{Item.stick});


}

void addRecipe(ItemStack par1ItemStack, Object par2ArrayOfObj[])
{
	String s = "";
	int i = 0;
	int j = 0;
	int k = 0;

	if (par2ArrayOfObj[i] instanceof String[])
	{
		String as[] = (String[])par2ArrayOfObj[i++];

		for (int l = 0; l < as.length; l++)
		{
			String s2 = as[l];
			k++;
			j = s2.length();
			s = (new StringBuilder()).append(s).append(s2).toString();
		}
	}
	else
	{
		while (par2ArrayOfObj[i] instanceof String)
		{
			String s1 = (String)par2ArrayOfObj[i++];
			k++;
			j = s1.length();
			s = (new StringBuilder()).append(s).append(s1).toString();
		}
	}

	HashMap hashmap = new HashMap();

	for (; i < par2ArrayOfObj.length; i += 2)
	{
		Character character = (Character)par2ArrayOfObj[i];
		ItemStack itemstack = null;

		if (par2ArrayOfObj[i + 1] instanceof Item)
		{
			itemstack = new ItemStack((Item)par2ArrayOfObj[i + 1]);
		}
		else if (par2ArrayOfObj[i + 1] instanceof Block)
		{
			itemstack = new ItemStack((Block)par2ArrayOfObj[i + 1], 1, -1);
		}
		else if (par2ArrayOfObj[i + 1] instanceof ItemStack)
		{
			itemstack = (ItemStack)par2ArrayOfObj[i + 1];
		}

		hashmap.put(character, itemstack);
	}

	ItemStack aitemstack[] = new ItemStack[j * k];

	for (int i1 = 0; i1 < j * k; i1++)
	{
		char c = s.charAt(i1);

		if (hashmap.containsKey(Character.valueOf(c)))
		{
			aitemstack[i1] = ((ItemStack)hashmap.get(Character.valueOf(c))).copy();
		}
		else
		{
			aitemstack[i1] = null;
		}
	}

	recipes.add(new ShapedRecipes(j, k, aitemstack, par1ItemStack));
}

public void addShapelessRecipe(ItemStack par1ItemStack, Object par2ArrayOfObj[])
{
	ArrayList arraylist = new ArrayList();
	Object aobj[] = par2ArrayOfObj;
	int i = aobj.length;

	for (int j = 0; j < i; j++)
	{
		Object obj = aobj[j];

		if (obj instanceof ItemStack)
		{
			arraylist.add(((ItemStack)obj).copy());
			continue;
		}

		if (obj instanceof Item)
		{
			arraylist.add(new ItemStack((Item)obj));
			continue;
		}

		if (obj instanceof Block)
		{
			arraylist.add(new ItemStack((Block)obj));
		}
		else
		{
			throw new RuntimeException("Invalid shapeless recipe!");
		}
	}

	recipes.add(new ShapelessRecipes(par1ItemStack, arraylist));
}

public ItemStack findMatchingRecipe(InventoryCrafting par1InventoryCrafting, World par2World)
{
	int i = 0;
	ItemStack itemstack = null;
	ItemStack itemstack1 = null;

	for (int j = 0; j < par1InventoryCrafting.getSizeInventory(); j++)
	{
		ItemStack itemstack2 = par1InventoryCrafting.getStackInSlot(j);

		if (itemstack2 == null)
		{
			continue;
		}

		if (i == 0)
		{
			itemstack = itemstack2;
		}

		if (i == 1)
		{
			itemstack1 = itemstack2;
		}

		i++;
	}

	if (i == 2 && itemstack.itemID == itemstack1.itemID && itemstack.stackSize == 1 && itemstack1.stackSize == 1 && Item.itemsList[itemstack.itemID].isDamageable())
	{
		Item item = Item.itemsList[itemstack.itemID];
		int l = item.getMaxDamage() - itemstack.getItemDamageForDisplay();
		int i1 = item.getMaxDamage() - itemstack1.getItemDamageForDisplay();
		int j1 = l + i1 + (item.getMaxDamage() * 10) / 100;
		int k1 = item.getMaxDamage() - j1;

		if (k1 < 0)
		{
			k1 = 0;
		}

		return new ItemStack(itemstack.itemID, 1, k1);
	}

	for (int k = 0; k < recipes.size(); k++)
	{
		IRecipe irecipe = (IRecipe)recipes.get(k);

		if (irecipe.matches(par1InventoryCrafting, par2World))
		{
			return irecipe.getCraftingResult(par1InventoryCrafting);
		}
	}

	return null;
}


public List getRecipeList()
{
	return recipes;
}
}

 

This tells the game what a Shapeless/Shaped recipe is in your crafting table. You add the recipes on top where the two example recipes are. Try if they work before you add any more.

 

 

Recipe Sorter - RecipeSorterCrafter

 

package mod.handler;

import java.util.Comparator;

import net.minecraft.item.crafting.IRecipe;
import net.minecraft.item.crafting.ShapedRecipes;
import net.minecraft.item.crafting.ShapelessRecipes;

public class RecipeSorterCrafter implements Comparator
{
final CraftingManagerCrafter CraftingManagerCrafter;

RecipeSorterCrafter(CraftingManagerCrafter par1CraftingManager)
{
	CraftingManagerCrafter = par1CraftingManager;
}

public int compareRecipes(IRecipe par1IRecipe, IRecipe par2IRecipe)
{
if ((par1IRecipe instanceof ShapelessRecipes) && (par2IRecipe instanceof ShapedRecipes))
{
return 1;
}

if ((par2IRecipe instanceof ShapelessRecipes) && (par1IRecipe instanceof ShapedRecipes))
{
return -1;
}

if (par2IRecipe.getRecipeSize() < par1IRecipe.getRecipeSize())
{
return -1;
}

return par2IRecipe.getRecipeSize() <= par1IRecipe.getRecipeSize() ? 0 : 1;
}

public int compare(Object par1Obj, Object par2Obj)
{
return compareRecipes((IRecipe)par1Obj, (IRecipe)par2Obj);
}

}

 

This makes sure everything is fine with your recipes.

 

DONE!

if i didn't forget anything :P

 

This should work on single- and multiplayer.

If I helped you with this, make sure to give me a "thank you" ;)

  • 4 weeks later...
Posted

I may of forgoten something but i get an error in my Tilecrafter class

 

public Tilewandtable(){

            this.inventory = new ItemStack[ContainerCrafter.9];//number of slots - without product slot

            this.canUpdate();

         

    [ContainerCrafter.9] has an error "ContainerCrafter cannot be resolved to a variable"

 

EDIT I know this post is a month old :)

Posted

I may of forgoten something but i get an error in my Tilecrafter class

 

public Tilewandtable(){

            this.inventory = new ItemStack[ContainerCrafter.9];//number of slots - without product slot

            this.canUpdate();

         

    [ContainerCrafter.9] has an error "ContainerCrafter cannot be resolved to a variable"

 

EDIT I know this post is a month old :)

 

 

 

 

 

 

Never mind changed it to [ContainerCrafter.InputSlotNumber]

  • 3 months later...
Posted

Hello i am working on a new workbench as well. i made the bench everything works fine except only the first 3x3 grids work for crafting and my grid is 5x4... i can place items on the other grids but they don't work for the recipe.. can anyone help me please?

  • 5 years later...
Posted

This thread is 6 years old. Create your own thread.

About Me

Spoiler

My Discord - Cadiboo#8887

My WebsiteCadiboo.github.io

My ModsCadiboo.github.io/projects

My TutorialsCadiboo.github.io/tutorials

Versions below 1.14.4 are no longer supported on this forum. Use the latest version to receive support.

When asking support remember to include all relevant log files (logs are found in .minecraft/logs/), code if applicable and screenshots if possible.

Only download mods from trusted sites like CurseForge (minecraft.curseforge.com). A list of bad sites can be found here, with more information available at stopmodreposts.org

Edit your own signature at www.minecraftforge.net/forum/settings/signature/ (Make sure to check its compatibility with the Dark Theme)

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

    • [29Jan2025 18:03:20.611] [main/INFO] [cpw.mods.modlauncher.Launcher/MODLAUNCHER]: ModLauncher running: args [--username, Sheep1019, --version, 1.20.1, --gameDir, /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/instances/Horrorland - MC 1.20.1 - 12.0.0/minecraft, --assetsDir, /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/assets, --assetIndex, 5, --uuid, 5724687df5c14249962a07b79a9b20d7, --accessToken, ❄❄❄❄❄❄❄❄, --userType, msa, --versionType, release, --launchTarget, forgeclient, --fml.forgeVersion, 47.3.0, --fml.mcVersion, 1.20.1, --fml.forgeGroup, net.minecraftforge, --fml.mcpVersion, 20230612.114412, --width, 1280, --height, 800] [29Jan2025 18:03:20.617] [main/INFO] [cpw.mods.modlauncher.Launcher/MODLAUNCHER]: ModLauncher 10.0.9+10.0.9+main.dcd20f30 starting: java version 17.0.8 by Microsoft; OS Linux arch amd64 version 6.5.0-valve22-1-neptune-65-g9a338ed8a75e [29Jan2025 18:03:22.068] [main/INFO] [net.minecraftforge.fml.loading.ImmediateWindowHandler/]: Loading ImmediateWindowProvider fmlearlywindow [29Jan2025 18:03:22.170] [main/INFO] [EARLYDISPLAY/]: Trying GL version 4.6 [29Jan2025 18:03:22.241] [main/INFO] [EARLYDISPLAY/]: Requested GL version 4.6 got version 4.6 [29Jan2025 18:03:22.348] [pool-2-thread-1/INFO] [EARLYDISPLAY/]: GL info: AMD Custom GPU 0932 (radeonsi, vangogh, LLVM 19.1.6, DRM 3.57, 6.5.0-valve22-1-neptune-65-g9a338ed8a75e) GL version 4.6 (Core Profile) Mesa 24.3.1 (git-c815d651b8), AMD [29Jan2025 18:03:22.365] [main/INFO] [mixin/]: SpongePowered MIXIN Subsystem Version=0.8.5 Source=union:/home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/libraries/org/spongepowered/mixin/0.8.5/mixin-0.8.5.jar%23140!/ Service=ModLauncher Env=CLIENT [29Jan2025 18:03:23.271] [main/WARN] [net.minecraftforge.fml.loading.moddiscovery.ModFileParser/LOADING]: Mod file /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/libraries/net/minecraftforge/fmlcore/1.20.1-47.3.0/fmlcore-1.20.1-47.3.0.jar is missing mods.toml file [29Jan2025 18:03:23.272] [main/WARN] [net.minecraftforge.fml.loading.moddiscovery.ModFileParser/LOADING]: Mod file /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/libraries/net/minecraftforge/javafmllanguage/1.20.1-47.3.0/javafmllanguage-1.20.1-47.3.0.jar is missing mods.toml file [29Jan2025 18:03:23.273] [main/WARN] [net.minecraftforge.fml.loading.moddiscovery.ModFileParser/LOADING]: Mod file /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/libraries/net/minecraftforge/lowcodelanguage/1.20.1-47.3.0/lowcodelanguage-1.20.1-47.3.0.jar is missing mods.toml file [29Jan2025 18:03:23.274] [main/WARN] [net.minecraftforge.fml.loading.moddiscovery.ModFileParser/LOADING]: Mod file /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/libraries/net/minecraftforge/mclanguage/1.20.1-47.3.0/mclanguage-1.20.1-47.3.0.jar is missing mods.toml file [29Jan2025 18:03:24.275] [main/WARN] [net.minecraftforge.jarjar.selection.JarSelector/]: Attempted to select two dependency jars from JarJar which have the same identification: Mod File:  and Mod File: . Using Mod File:  [29Jan2025 18:03:24.277] [main/WARN] [net.minecraftforge.jarjar.selection.JarSelector/]: Attempted to select a dependency jar for JarJar which was passed in as source: athena. Using Mod File: /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/instances/Horrorland - MC 1.20.1 - 12.0.0/minecraft/mods/athena-forge-1.20.1-3.1.2.jar [29Jan2025 18:03:24.278] [main/WARN] [net.minecraftforge.jarjar.selection.JarSelector/]: Attempted to select a dependency jar for JarJar which was passed in as source: resourcefullib. Using Mod File: /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/instances/Horrorland - MC 1.20.1 - 12.0.0/minecraft/mods/resourcefullib-forge-1.20.1-2.1.29.jar [29Jan2025 18:03:24.278] [main/INFO] [net.minecraftforge.fml.loading.moddiscovery.JarInJarDependencyLocator/]: Found 50 dependencies adding them to mods collection [29Jan2025 18:03:24.780] [main/INFO] [org.groovymc.gml.mappings.MappingsProvider/]: Starting runtime mappings setup... [29Jan2025 18:03:24.813] [main/INFO] [org.groovymc.gml.internal.locator.ModLocatorInjector/]: Injecting ScriptModLocator candidates... [29Jan2025 18:03:24.831] [main/INFO] [org.groovymc.gml.scriptmods.ScriptModLocator/]: Injected Jimfs file system [29Jan2025 18:03:24.842] [main/INFO] [org.groovymc.gml.scriptmods.ScriptModLocator/]: Skipped loading script mods from directory /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/instances/Horrorland - MC 1.20.1 - 12.0.0/minecraft/mods/scripts as it did not exist. [29Jan2025 18:03:24.853] [main/INFO] [org.groovymc.gml.internal.locator.ModLocatorInjector/]: Injected ScriptModLocator mod candidates. Found 0 valid mod candidates and 0 broken mod files. [29Jan2025 18:03:25.475] [GML Mappings Thread/INFO] [org.groovymc.gml.mappings.MappingsProvider/]: Found version metadata from piston-meta. [29Jan2025 18:03:25.507] [GML Mappings Thread/INFO] [org.groovymc.gml.mappings.MappingsProvider/]: version.json is up to date. [29Jan2025 18:03:26.085] [GML Mappings Thread/INFO] [org.groovymc.gml.mappings.MappingsProvider/]: Official mappings are up to date. [29Jan2025 18:03:27.819] [GML Mappings Thread/INFO] [org.groovymc.gml.mappings.MappingsProvider/]: MCPConfig is up to date. [29Jan2025 18:03:29.944] [GML Mappings Thread/INFO] [org.groovymc.gml.mappings.MappingsProvider/]: Loaded runtime mappings in 5087ms [29Jan2025 18:03:29.945] [GML Mappings Thread/INFO] [org.groovymc.gml.mappings.MappingsProvider/]: Finished runtime mappings setup. [29Jan2025 18:03:31.800] [main/INFO] [mixin/]: Compatibility level set to JAVA_17 [29Jan2025 18:03:32.591] [main/INFO] [mixin/]: Successfully loaded Mixin Connector [com.sonicether.soundphysics.MixinConnector] [29Jan2025 18:03:32.595] [main/INFO] [cpw.mods.modlauncher.LaunchServiceHandler/MODLAUNCHER]: Launching target 'forgeclient' with arguments [--version, 1.20.1, --gameDir, /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/instances/Horrorland - MC 1.20.1 - 12.0.0/minecraft, --assetsDir, /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/assets, --uuid, 5724687df5c14249962a07b79a9b20d7, --username, Sheep1019, --assetIndex, 5, --accessToken, ❄❄❄❄❄❄❄❄, --userType, msa, --versionType, release, --width, 1280, --height, 800] [29Jan2025 18:03:32.723] [main/INFO] [ModernFix/]: Loaded configuration file for ModernFix 5.20.2+mc1.20.1: 87 options available, 0 override(s) found [29Jan2025 18:03:32.724] [main/INFO] [ModernFix/]: Applying Nashorn fix [29Jan2025 18:03:32.747] [main/INFO] [ModernFix/]: Applied Forge config corruption patch [29Jan2025 18:03:32.820] [main/INFO] [Embeddium/]: Loaded configuration file for Embeddium: 299 options available, 3 override(s) found [29Jan2025 18:03:32.823] [main/INFO] [Embeddium-GraphicsAdapterProbe/]: Searching for graphics cards... [29Jan2025 18:03:32.866] [main/INFO] [Embeddium-GraphicsAdapterProbe/]: Found graphics card: GraphicsAdapterInfo[vendor=AMD, name=Sephiroth [AMD Custom GPU 0405], version=unknown] [29Jan2025 18:03:32.909] [main/WARN] [mixin/]: Reference map 'handcrafted-forge-1.20.1-forge-refmap.json' for handcrafted.mixins.json could not be read. If this is a development environment you can ignore this message [29Jan2025 18:03:32.986] [main/WARN] [mixin/]: Reference map 'yungsextras.refmap.json' for yungsextras.mixins.json could not be read. If this is a development environment you can ignore this message [29Jan2025 18:03:32.989] [main/WARN] [mixin/]: Reference map 'yungsextras.refmap.json' for yungsextras_forge.mixins.json could not be read. If this is a development environment you can ignore this message [29Jan2025 18:03:33.085] [main/INFO] [Radium Config/]: Loaded configuration file for Radium: 125 options available, 1 override(s) found [29Jan2025 18:03:33.124] [main/WARN] [mixin/]: Reference map 'graveyard-FORGE-forge-refmap.json' for graveyard-forge.mixins.json could not be read. If this is a development environment you can ignore this message [29Jan2025 18:03:33.358] [main/INFO] [Embeddium Extra/]: Loaded configuration file for Sodium Extra: 35 options available, 0 override(s) found [29Jan2025 18:03:33.389] [main/INFO] [Puzzles Lib/]: Loading 254 mods:     - advancementplaques 1.6.7     - aiimprovements 0.5.2     - alexsmobs 1.22.9     - alternate_current 1.7.0     - ambientsounds 6.1.4     - amendments 1.20-1.2.14     - ancientcurses 1.1.5     - animal_armor_trims 1.0.0     - appleskin 2.5.1+mc1.20.1     - aquaculture 2.5.3     - aquamirae 6.API15     - aqupdcaracal 1.20-2.3.1     - architectury 9.2.14     - artifacts 9.5.13         \-- expandability 9.0.4     - athena 3.1.2     - atlaslib 1.1.12     - attributefix 21.0.4     - automessage 2.2.0     - badoptimizations 2.2.1     - bagus_lib 1.20.1-5.3.0     - balm 7.3.11         \-- kuma_api 20.1.9-SNAPSHOT     - barteringstation 8.0.0     - beb 2.0.0     - betteradvancements 0.4.2.10     - betterarcheology 1.2.1-1.20.1     - betterdeserttemples 1.20-Forge-3.0.3     - betterdungeons 1.20-Forge-4.0.4     - betterendisland 1.20-Forge-2.0.6     - betterfortresses 1.20-Forge-2.0.6     - betterjungletemples 1.20-Forge-2.0.5     - bettermineshafts 1.20-Forge-4.0.4     - betteroceanmonuments 1.20-Forge-3.0.4     - betterstrongholds 1.20-Forge-4.0.3     - betterwitchhuts 1.20-Forge-3.0.3     - bhmenu 2.4.2     - biomesoplenty 18.0.0.592     - blue_skies 1.3.31     - blueprint 7.1.0     - boatbreakfix 1.0.2     - boatload 5.0.1     - bookshelf 20.2.13     - bosses_of_mass_destruction 1.1.1     - botania 1.20.1-446-FORGE     - bountiful 6.0.4+1.20.1     - buildinggadgets2 1.0.7     - caelus 3.2.0+1.20.1     - carryon 2.1.2.7     - cataclysm 2.43     - catalogue 1.8.0     - cave_dweller 1.6.4     - cerbons_api 1.0.0     - charginggadgets 1.11.0     - chat_heads 0.13.11     - cherishedworlds 6.1.7+1.20.1     - chipped 3.0.7     - chunkloaders 1.2.8a     - chunksending 1.20.1-2.8     - citadel 2.6.1     - cleanswing 1.8     - clickadv 1.20.1-3.8     - cloth_config 11.1.136     - clumps 12.0.0.4     - comforts 6.4.0+1.20.1     - commongroovylibrary 0.3.3     - conjurer_illager 1.1.6     - connectivity 1.20.1-6.5     - constructionwand 1.20.1-2.11     - controlling 12.0.2     - cosmeticarmorreworked 1.20.1-v1a     - create 0.5.1.j         \-- flywheel 0.6.11-13     - createaddition 1.20.1-1.2.5     - creativecore 2.12.31     - creeperoverhaul 3.0.2     - cristellib 1.1.6     - ctov 3.4.11     - cucumber 7.0.13     - cupboard 1.20.1-2.7     - curios 5.11.1+1.20.1     - deeperdarker 1.3.3     - defaultoptions 18.0.1     - diagonalfences 8.1.5         \-- diagonalblocks 8.0.6     - disenchanting_table 3.1.0     - dragonseeker 1.2.0-1.20.1     - dummmmmmy 1.20-2.0.2     - dynamiclights 1.20.1.2     - easyanvils 8.0.2     - eatinganimation 5.1.0     - elytraslot 6.4.4+1.20.1         \-- mixinsquared 0.1.2-beta.6     - embeddium 0.3.31+mc1.20.1         \-- rubidium 0.7.1     - embeddium_extra 0.5.4.4+mc1.20.1-build.131     - enchdesc 17.1.19     - ender_pack 2.1.0     - endofherobrine 1.20.1-1.0.8.2     - entityculling 1.7.2     - epicpowerbracelets 1.1.0     - equipmentcompare 1.3.7     - evenmoreinstruments 6.1.3     - explorerscompass 1.20.1-1.3.3-forge     - eyesinthedarkness 1.3.10     - fallingleaves 2.1.0     - fancymenu 3.3.2     - farmersdelight 1.20.1-1.2.6     - fastipping 1.0.5     - ferritecore 6.0.1     - forge 47.3.0     - framedblocks 9.3.1     - framework 0.7.12     - geckolib 4.7     - genshinstrument 4.0.2     - glitchcore 0.0.1.1     - gml 4.0.9     - goblintraders 1.9.3     - gpumemleakfix 1.20.1-1.8     - graveyard 3.1     - handcrafted 3.0.6     - highlighter 1.1.9     - hordes 1.5.4     - hunters_return 1.20.1-11.6.4     - iceandfire 2.1.13-1.20.1     - iceberg 1.1.25     - illagerinvasion 8.0.6     - immediatelyfast 1.3.4+1.20.4     - immersive_weathering 1.20.1-2.0.5     - ironjetpacks 7.0.8     - irons_spellbooks 1.20.1-3.4.0.7     - jade 11.12.3+forge     - jearchaeology 1.20.1-1.0.4     - jei 15.20.0.106     - jeresources 1.4.0.247     - journeymap 5.10.3     - justenoughbreeding 1.5.0     - justhammers 2.0.3+mc1.20.1     - justzoom 2.0.0     - kambrik 6.1.1+1.20.1     - kiwi 11.8.29+forge     - kleeslabs 15.0.4     - kobolds 2.12.0     - konkrete 1.8.0     - kotlinforforge 4.11.0     - legendarytooltips 1.4.5     - lionfishapi 2.4-Fix     - lithostitched 1.4     - loadmyresources 1.0.4     - lootr 0.7.35.90     - magistuarmory 9.21     - mavapi 1.1.4     - mavm 1.2.6     - mcwbridges 3.0.0     - mcwdoors 1.1.1     - mcwfences 1.1.2     - mcwfurnitures 3.3.0     - mcwlights 1.1.0     - mcwpaths 1.0.5     - mcwroofs 2.3.1     - mcwtrpdoors 1.1.4     - mcwwindows 2.3.0     - medieval_buildings 1.0.2     - medievalend 1.0.1     - melody 1.0.2     - midnightlurker 3.3.7     - minecraft 1.20.1     - modernfix 5.20.2+mc1.20.1         \-- mixinextras 0.4.1     - monolib 2.0.0     - moonlight 1.20-2.13.55     - mousetweaks 2.25.1     - mowziesmobs 1.6.4     - mutantmonsters 8.0.7     - myserveriscompatible 1.0     - naturescompass 1.20.1-1.11.2-forge     - necronomicon 1.6.0     - neruina 2.1.2     - netherportalfix 13.0.1     - nethersdelight 1.20.1-4.0     - new_shield_variants 2.0.0     - noisium 2.3.0+mc1.20-1.20.1     - notenoughanimations 1.9.1     - nyfsspiders 2.1.1     - obscure_api 15     - oceansdelight 1.0.2-1.20     - oculus 1.8.0     - patchouli 1.20.1-84-FORGE     - pickaxetrims 1.0.1     - pickupnotifier 8.0.0     - pingwheel 1.10.1     - placebo 8.6.2     - playeranimator 1.0.2-rc1+1.20     - polymorph 0.49.8+1.20.1         \-- spectrelib 0.13.17+1.20.1     - prism 1.0.5     - ps 1.0.0     - puzzleslib 8.1.25         \-- puzzlesaccessapi 8.0.7     - radium 0.12.4+git.26c9d8e     - refurbished_furniture 1.0.8     - regions_unexplored 0.5.6     - resourcefulconfig 2.1.2     - resourcefullib 2.1.29     - rightclickharvest 3.2.3+1.20.1-forge     - searchables 1.0.3     - sereneseasons 9.1.0.0     - simplyswords 1.56.0-1.20.1     - skinlayers3d 1.7.4     - smoothchunk 1.20.1-4.0     - snowrealmagic 10.5.2         |-- fabric_api_base 0.4.31+ef105b4977         |-- fabric_renderer_api_v1 3.2.1+1d29b44577         \-- fabric_renderer_indigo 1.5.2+b5b2da4177     - snowundertrees 1.4.6     - sophisticatedbackpacks 3.22.5.1179     - sophisticatedcore 1.1.5.841     - sound_physics_remastered 1.20.1-1.4.8     - spark 1.10.53     - spyglass_improvements 1.5+mc1.20+forge     - stalwart_dungeons 1.2.8     - startinv 1.0.0     - stoneworks 8.0.0     - storagedrawers 12.9.13     - structure_gel 2.16.2     - structureessentials 1.20.1-4.1     - supermartijn642configlib 1.1.8     - supermartijn642corelib 1.1.18     - supplementaries 1.20-3.1.11     - t_and_t 0.0NONE     - terrablender 3.0.1.7     - the_bumblezone 7.5.10+1.20.1-forge     - the_knocker 1.4.0     - toastcontrol 8.0.3     - tombstone 8.9.0     - tradingpost 8.0.2     - treechop 0.19.0     - trimeffects 2.0.0     - twilightforest 4.3.2508     - undead_revamp2 1.0.0     - undergarden 0.8.14     - unusualfishmod 1.1.8     - valhelsia_core 1.1.2     - valhelsia_furniture 1.1.3     - valhelsia_structures 1.20.1-1.1.2     - veinmining 1.5.0+1.20.1     - visuality 2.0.2     - visualworkbench 8.0.0     - waystones 14.1.6     - weaponmaster_ydm 4.2.3     - wider_ender_chests 1.0.3     - wstweaks 9.1.0     - yungsapi 1.20-Forge-4.0.6     - yungsbridges 1.20-Forge-4.0.3     - yungsextras 1.20-Forge-4.0.3 [29Jan2025 18:03:33.412] [main/WARN] [mixin/]: Reference map 'Aquamirae.refmap.json' for aquamirae.mixins.json could not be read. If this is a development environment you can ignore this message [29Jan2025 18:03:33.422] [main/WARN] [mixin/]: Reference map 'cristellib-forge-refmap.json' for cristellib.mixins.json could not be read. If this is a development environment you can ignore this message [29Jan2025 18:03:33.613] [main/WARN] [mixin/]: Reference map 'justhammers-common-refmap.json' for justhammers-common.mixins.json could not be read. If this is a development environment you can ignore this message [29Jan2025 18:03:33.751] [main/WARN] [mixin/]: Reference map 'simplyswords-forge-refmap.json' for simplyswords.mixins.json could not be read. If this is a development environment you can ignore this message [29Jan2025 18:03:33.877] [main/INFO] [BadOptimizations/]: Loading config file [29Jan2025 18:03:33.877] [main/INFO] [BadOptimizations/]: Config version: 4 [29Jan2025 18:03:33.877] [main/INFO] [BadOptimizations/]: BadOptimizations config dump: [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_toast_optimizations: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: ignore_mod_incompatibilities: false [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: lightmap_time_change_needed_for_update: 80 [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_lightmap_caching: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_particle_manager_optimization: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_entity_renderer_caching: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: log_config: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_remove_redundant_fov_calculations: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: config_version: 4 [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_sky_angle_caching_in_worldrenderer: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_block_entity_renderer_caching: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: skycolor_time_change_needed_for_update: 3 [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_entity_flag_caching: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_debug_renderer_disable_if_not_needed: true [29Jan2025 18:03:33.878] [main/INFO] [BadOptimizations/]: enable_sky_color_caching: true [29Jan2025 18:03:33.879] [main/INFO] [BadOptimizations/]: enable_remove_tutorial_if_not_demo: true [29Jan2025 18:03:33.879] [main/INFO] [BadOptimizations/]: show_f3_text: true [29Jan2025 18:03:33.879] [main/INFO] [BadOptimizations/]: Disabled enable_entity_renderer_caching because mod "twilightforest" is present. [29Jan2025 18:03:35.610] [main/WARN] [mixin/]: Error loading class: mekanism/client/render/entity/RenderFlame (java.lang.ClassNotFoundException: mekanism.client.render.entity.RenderFlame) [29Jan2025 18:03:35.615] [main/WARN] [mixin/]: Error loading class: mekanism/client/render/armor/MekaSuitArmor (java.lang.ClassNotFoundException: mekanism.client.render.armor.MekaSuitArmor) [29Jan2025 18:03:35.773] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching IForgeItemStack#getEnchantmentLevel [29Jan2025 18:03:35.789] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching IForgeItemStack#getEnchantmentLevel [29Jan2025 18:03:36.100] [main/WARN] [Radium Config/]: Force-disabling mixin 'alloc.blockstate.StateMixin' as option 'mixin.alloc.blockstate' (added by mods [ferritecore]) disables it and children [29Jan2025 18:03:36.795] [main/INFO] [com.cupboard.Cupboard/]: Loaded config for: structureessentials.json [29Jan2025 18:03:37.433] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.world.sky.WorldRendererMixin' as rule 'mixin.features.render.world.sky' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.433] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.world.sky.ClientWorldMixin' as rule 'mixin.features.render.world.sky' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.434] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.world.sky.BackgroundRendererMixin' as rule 'mixin.features.render.world.sky' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.436] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.gui.font.GlyphRendererMixin' as rule 'mixin.features.render.gui.font' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.437] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.gui.font.FontSetMixin' as rule 'mixin.features.render.gui.font' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.438] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.entity.shadows.EntityRenderDispatcherMixin' as rule 'mixin.features.render.entity' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.439] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.entity.remove_streams.ModelPartMixin' as rule 'mixin.features.render.entity' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.440] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.entity.remove_streams.HierarchicalModelMixin' as rule 'mixin.features.render.entity' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.440] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.entity.fast_render.ModelPartMixin' as rule 'mixin.features.render.entity' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.441] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.entity.fast_render.CuboidMixin' as rule 'mixin.features.render.entity' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.441] [main/WARN] [Embeddium/]: Force-disabling mixin 'features.render.entity.cull.EntityRendererMixin' as rule 'mixin.features.render.entity' (added by mods [oculus]) disables it and children [29Jan2025 18:03:37.852] [main/INFO] [MixinExtras|Service/]: Initializing MixinExtras via com.llamalad7.mixinextras.service.MixinExtrasServiceImpl(version=0.4.1). [29Jan2025 18:03:39.178] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching IForgeItemStack#getEnchantmentLevel [29Jan2025 18:03:39.179] [main/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching IForgeItemStack#getEnchantmentLevel [29Jan2025 18:03:39.912] [pool-4-thread-1/INFO] [net.minecraft.server.Bootstrap/]: ModernFix reached bootstrap stage (22.18 s after launch) [29Jan2025 18:03:40.006] [pool-4-thread-1/WARN] [mixin/]: @Final field delegatesByName:Ljava/util/Map; in modernfix-forge.mixins.json:perf.forge_registry_alloc.ForgeRegistryMixin should be final [29Jan2025 18:03:40.006] [pool-4-thread-1/WARN] [mixin/]: @Final field delegatesByValue:Ljava/util/Map; in modernfix-forge.mixins.json:perf.forge_registry_alloc.ForgeRegistryMixin should be final [29Jan2025 18:03:40.101] [pool-4-thread-1/INFO] [ModernFix/]: Injecting BlockStateBase cache population hook into getNeighborPathNodeType from me.jellysquid.mods.lithium.mixin.ai.pathing.AbstractBlockStateMixin [29Jan2025 18:03:40.101] [pool-4-thread-1/INFO] [ModernFix/]: Injecting BlockStateBase cache population hook into getPathNodeType from me.jellysquid.mods.lithium.mixin.ai.pathing.AbstractBlockStateMixin [29Jan2025 18:03:40.101] [pool-4-thread-1/INFO] [ModernFix/]: Injecting BlockStateBase cache population hook into getAllFlags from me.jellysquid.mods.lithium.mixin.util.block_tracking.AbstractBlockStateMixin [29Jan2025 18:03:41.665] [pool-4-thread-1/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching IForgeItemStack#getEnchantmentLevel [29Jan2025 18:03:41.666] [pool-4-thread-1/INFO] [net.minecraftforge.coremod.CoreMod.placebo/COREMODLOG]: Patching IForgeItemStack#getEnchantmentLevel [29Jan2025 18:03:41.725] [pool-4-thread-1/INFO] [net.minecraft.server.Bootstrap/]: Vanilla bootstrap took 1810 milliseconds [29Jan2025 18:03:43.256] [pool-4-thread-1/WARN] [mixin/]: @Inject(@At("INVOKE_ASSIGN")) Shift.BY=2 on refurbished_furniture.common.mixins.json:LevelChunkMixin::handler$eim000$refurbishedFurniture$AfterRemoveBlockEntity exceeds the maximum allowed value: 0. Increase the value of maxShiftBy to suppress this warning. [29Jan2025 18:03:45.631] [pool-4-thread-1/WARN] [mixin/]: Static binding violation: PRIVATE @Overwrite method m_47505_ in modernfix-common.mixins.json:perf.remove_biome_temperature_cache.BiomeMixin cannot reduce visibiliy of PUBLIC target method, visibility will be upgraded. [29Jan2025 18:03:45.634] [pool-4-thread-1/WARN] [mixin/]: Method overwrite conflict for m_47505_ in lithium.mixins.json:world.temperature_cache.BiomeMixin, previously written by org.embeddedt.modernfix.common.mixin.perf.remove_biome_temperature_cache.BiomeMixin. Skipping method. [29Jan2025 18:03:46.156] [Render thread/WARN] [mixin/]: Static binding violation: PRIVATE @Overwrite method m_166786_ in embeddium.mixins.json:features.render.immediate.buffer_builder.sorting.BufferBuilderMixin cannot reduce visibiliy of PUBLIC target method, visibility will be upgraded. [29Jan2025 18:03:46.426] [Render thread/WARN] [net.minecraft.server.packs.VanillaPackResourcesBuilder/]: Assets URL 'union:/home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/libraries/net/minecraft/client/1.20.1-20230612.114412/client-1.20.1-20230612.114412-srg.jar%23626!/assets/.mcassetsroot' uses unexpected schema [29Jan2025 18:03:46.426] [Render thread/WARN] [net.minecraft.server.packs.VanillaPackResourcesBuilder/]: Assets URL 'union:/home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/libraries/net/minecraft/client/1.20.1-20230612.114412/client-1.20.1-20230612.114412-srg.jar%23626!/data/.mcassetsroot' uses unexpected schema [29Jan2025 18:03:46.463] [Render thread/INFO] [com.mojang.authlib.yggdrasil.YggdrasilAuthenticationService/]: Environment: authHost='https://authserver.mojang.com', accountsHost='https://api.mojang.com', sessionHost='https://sessionserver.mojang.com', servicesHost='https://api.minecraftservices.com', name='PROD' [29Jan2025 18:03:47.899] [Render thread/INFO] [net.minecraft.client.Minecraft/]: Setting user: Sheep1019 [29Jan2025 18:03:48.021] [Render thread/INFO] [ModernFix/]: Bypassed Mojang DFU [29Jan2025 18:03:48.129] [Render thread/INFO] [mixin/]: BeforeConstant is searching for constants in method with descriptor (Lnet/minecraft/network/chat/Component;Lnet/minecraft/client/GuiMessageTag;)V [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:   BeforeConstant found STRING constant: value =  , stringValue = null [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:     BeforeConstant found a matching constant TYPE at ordinal 0 [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:       BeforeConstant found LdcInsn  [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:   BeforeConstant found STRING constant: value = \\r, stringValue = null [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:     BeforeConstant found a matching constant TYPE at ordinal 1 [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:       BeforeConstant found LdcInsn \\r [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:   BeforeConstant found STRING constant: value =  , stringValue = null [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:     BeforeConstant found a matching constant TYPE at ordinal 2 [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:       BeforeConstant found LdcInsn  [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:   BeforeConstant found STRING constant: value = \\n, stringValue = null [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:     BeforeConstant found a matching constant TYPE at ordinal 3 [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:       BeforeConstant found LdcInsn \\n [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:   BeforeConstant found CLASS constant: value = Ljava/lang/String;, typeValue = null [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:   BeforeConstant found STRING constant: value = [{}] [CHAT] {}, stringValue = null [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:     BeforeConstant found a matching constant TYPE at ordinal 4 [29Jan2025 18:03:48.130] [Render thread/INFO] [mixin/]:       BeforeConstant found LdcInsn [{}] [CHAT] {} [29Jan2025 18:03:48.131] [Render thread/INFO] [mixin/]:   BeforeConstant found STRING constant: value = [CHAT] {}, stringValue = null [29Jan2025 18:03:48.131] [Render thread/INFO] [mixin/]:     BeforeConstant found a matching constant TYPE at ordinal 5 [29Jan2025 18:03:48.131] [Render thread/INFO] [mixin/]:       BeforeConstant found LdcInsn [CHAT] {} [29Jan2025 18:03:48.206] [Render thread/INFO] [defaultoptions/]: Loaded default options for options.txt [29Jan2025 18:03:48.207] [Render thread/INFO] [defaultoptions/]: Loaded default options for extra-folder [29Jan2025 18:03:48.238] [Render thread/INFO] [net.minecraft.client.Minecraft/]: Backend library: LWJGL version 3.3.1 build 7 [29Jan2025 18:03:48.331] [Render thread/ERROR] [Embeddium-MixinTaintDetector/]: Mod mixin into Embeddium internals detected. This instance is now tainted. The Embeddium team does not provide any guarantee of support for issues encountered while such mods are installed. [29Jan2025 18:03:48.332] [Render thread/WARN] [Embeddium-MixinTaintDetector/]: Mod(s) [oculus] are modifying Embeddium class me.jellysquid.mods.sodium.client.gui.SodiumGameOptions, which may cause instability. [29Jan2025 18:03:48.369] [Render thread/INFO] [Embeddium-PostlaunchChecks/]: OpenGL Vendor: AMD [29Jan2025 18:03:48.370] [Render thread/INFO] [Embeddium-PostlaunchChecks/]: OpenGL Renderer: AMD Custom GPU 0932 (radeonsi, vangogh, LLVM 19.1.6, DRM 3.57, 6.5.0-valve22-1-neptune-65-g9a338ed8a75e) [29Jan2025 18:03:48.370] [Render thread/INFO] [Embeddium-PostlaunchChecks/]: OpenGL Version: 4.6 (Core Profile) Mesa 24.3.1 (git-c815d651b8) [29Jan2025 18:03:48.382] [Render thread/INFO] [ImmediatelyFast/]: Initializing ImmediatelyFast 1.3.4+1.20.4 on AMD Custom GPU 0932 (radeonsi, vangogh, LLVM 19.1.6, DRM 3.57, 6.5.0-valve22-1-neptune-65-g9a338ed8a75e) (AMD) with OpenGL 4.6 (Core Profile) Mesa 24.3.1 (git-c815d651b8) [29Jan2025 18:03:48.383] [Render thread/INFO] [ImmediatelyFast/]: Found Iris/Oculus 1.8.0. Enabling compatibility. [29Jan2025 18:03:48.600] [Render thread/INFO] [Oculus/]: Debug functionality is disabled. [29Jan2025 18:03:48.605] [Render thread/INFO] [Oculus/]: OpenGL 4.5 detected, enabling DSA. [29Jan2025 18:03:48.940] [Render thread/WARN] [Oculus/]: Found flag CUSTOM_IMAGES [29Jan2025 18:03:48.940] [Render thread/WARN] [Oculus/]: Found flag ENTITY_TRANSLUCENT [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.945] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.946] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.947] [Render thread/WARN] [Oculus/]: Tried to get boolean value for unknown option: 1, defaulting to true! [29Jan2025 18:03:48.953] [Render thread/WARN] [Oculus/]: Unable to resolve shader pack option menu element "LIGHTNING_FLASH" defined in shaders.properties [29Jan2025 18:03:48.955] [Render thread/WARN] [Oculus/]: Unable to resolve shader pack option menu element "CLOUDS_CUMULUS_CONGESTUS_PRIMARY_STEPS_H" defined in shaders.properties [29Jan2025 18:03:48.956] [Render thread/WARN] [Oculus/]: Unable to resolve shader pack option menu element "CLOUDS_CUMULUS_CONGESTUS_PRIMARY_STEPS_Z" defined in shaders.properties [29Jan2025 18:03:48.960] [Render thread/INFO] [Oculus/]: Profile: medium (+0 options changed by user) [29Jan2025 18:03:50.183] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.184] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.185] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.185] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.187] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.187] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.188] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.188] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.189] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.190] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.191] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.192] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.193] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.194] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.196] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.196] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.196] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.198] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.200] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.202] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.203] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.203] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.206] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.207] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.209] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.210] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.211] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.212] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.212] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.213] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.213] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.214] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.214] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.214] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.215] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.215] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.215] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.216] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.217] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.217] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.218] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:03:50.261] [Render thread/INFO] [Oculus/]: Using shaderpack: Hysteria-Shaders-Universal-v1.2.1.zip [29Jan2025 18:03:51.120] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for easyanvils:main [29Jan2025 18:03:51.210] [modloading-worker-0/INFO] [hordes/]: Trying to load common config [29Jan2025 18:03:51.221] [modloading-worker-0/INFO] [hordes/]: Trying to load client config [29Jan2025 18:03:51.221] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for pickupnotifier:main [29Jan2025 18:03:51.230] [modloading-worker-0/INFO] [hordes/]: Config files are up to date, skipping data/asset generation [29Jan2025 18:03:51.271] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing client components for pickupnotifier:main [29Jan2025 18:03:51.286] [modloading-worker-0/INFO] [snownee.snow.SnowRealMagic/]: SereneSeasons detected. Overriding weather behavior. [29Jan2025 18:03:51.365] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing client components for easyanvils:main [29Jan2025 18:03:51.432] [modloading-worker-0/WARN] [Embeddium-MixinTaintDetector/]: Mod(s) [oculus, embeddium_extra] are modifying Embeddium class me.jellysquid.mods.sodium.client.gui.SodiumOptionsGUI, which may cause instability. [29Jan2025 18:03:51.471] [modloading-worker-0/INFO] [gml/]: Initialised GML mod. Version: 4.0.9 [29Jan2025 18:03:51.621] [modloading-worker-0/INFO] [noisium/]: Loading Noisium. [29Jan2025 18:03:51.791] [modloading-worker-0/WARN] [mixin/]: @Redirect conflict. Skipping forge-badoptimizations.mixins.json:MixinWorldRenderer->@Redirect::getSkyAngle(Lnet/minecraft/client/multiplayer/ClientLevel;F)F with priority 700, already redirected by citadel.mixins.json:client.LevelRendererMixin->@Redirect::citadel_getTimeOfDay(Lnet/minecraft/client/multiplayer/ClientLevel;F)F with priority 1000 [29Jan2025 18:03:52.311] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for mutantmonsters:main [29Jan2025 18:03:52.504] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing client components for mutantmonsters:main [29Jan2025 18:03:52.544] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for visualworkbench:main [29Jan2025 18:03:52.568] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing client components for visualworkbench:main [29Jan2025 18:03:52.607] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for stoneworks:main [29Jan2025 18:03:52.864] [modloading-worker-0/INFO] [net.fabricmc.fabric.impl.client.indigo.Indigo/]: [Indigo] Registering Indigo renderer! [29Jan2025 18:03:53.084] [modloading-worker-0/INFO] [snownee.kiwi.Kiwi/INIT]: Processing 6 KiwiModule annotations [29Jan2025 18:03:53.100] [modloading-worker-0/INFO] [mezz.jei.library.load.PluginCaller/]: Sending ConfigManager... [29Jan2025 18:03:53.118] [modloading-worker-0/INFO] [graveyard/]: Registered JSON trade offer adapter. [29Jan2025 18:03:53.134] [modloading-worker-0/INFO] [mezz.jei.library.load.PluginCaller/]: Sending ConfigManager took 32.56 ms [29Jan2025 18:03:53.137] [modloading-worker-0/INFO] [net.minecraftforge.common.ForgeMod/FORGEMOD]: Forge mod loading, version 47.3.0, for MC 1.20.1 with MCP 20230612.114412 [29Jan2025 18:03:53.138] [modloading-worker-0/INFO] [net.minecraftforge.common.MinecraftForge/FORGE]: MinecraftForge v47.3.0 Initialized [29Jan2025 18:03:53.245] [modloading-worker-0/INFO] [necronomicon/]: Necronomicon Initialized [29Jan2025 18:03:53.253] [modloading-worker-0/INFO] [necronomicon/]: File exists, reading config for elocindev.necronomicon.NecronomiconConfig. [29Jan2025 18:03:53.254] [modloading-worker-0/INFO] [necronomicon/]: Config for elocindev.necronomicon.NecronomiconConfig read successfully. [29Jan2025 18:03:53.266] [modloading-worker-0/INFO] [necronomicon/]: there is a brick about to fall through your roof at terminal velocity [29Jan2025 18:03:53.281] [modloading-worker-0/INFO] [Animal Armor Trims: Horses/]: Hello from Common init on Forge! we are currently in a production environment! [29Jan2025 18:03:53.282] [modloading-worker-0/INFO] [Animal Armor Trims: Horses/]: The ID for diamonds is minecraft:diamond [29Jan2025 18:03:53.286] [modloading-worker-0/INFO] [thedarkcolour.kotlinforforge.test.KotlinForForge/]: Kotlin For Forge Enabled! [29Jan2025 18:03:53.316] [modloading-worker-0/INFO] [com.jozufozu.flywheel.backend.Backend/]: Oculus detected. [29Jan2025 18:03:53.445] [modloading-worker-0/INFO] [Visuality/]: Visuality has initialized, have fun with more particles! [29Jan2025 18:03:53.522] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for puzzleslib:main [29Jan2025 18:03:53.553] [modloading-worker-0/INFO] [ModernFix/]: Instantiating Mojang DFU [29Jan2025 18:03:53.565] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing client components for puzzleslib:main [29Jan2025 18:03:53.725] [Modding Legacy/blue_skies/Supporters thread/INFO] [ModdingLegacy/blue_skies/Supporter/]: Attempting to load the Modding Legacy supporters list from https://moddinglegacy.com/supporters-changelogs/supporters.txt [29Jan2025 18:03:54.011] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for illagerinvasion:main [29Jan2025 18:03:54.039] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing client components for illagerinvasion:main [29Jan2025 18:03:54.090] [modloading-worker-0/INFO] [Bookshelf/]: Fixing MC-151457. Crafting remainder for minecraft:pufferfish_bucket is now minecraft:bucket. [29Jan2025 18:03:54.090] [modloading-worker-0/INFO] [Bookshelf/]: Fixing MC-151457. Crafting remainder for minecraft:salmon_bucket is now minecraft:bucket. [29Jan2025 18:03:54.090] [modloading-worker-0/INFO] [Bookshelf/]: Fixing MC-151457. Crafting remainder for minecraft:cod_bucket is now minecraft:bucket. [29Jan2025 18:03:54.090] [modloading-worker-0/INFO] [Bookshelf/]: Fixing MC-151457. Crafting remainder for minecraft:tropical_fish_bucket is now minecraft:bucket. [29Jan2025 18:03:54.090] [modloading-worker-0/INFO] [Bookshelf/]: Fixing MC-151457. Crafting remainder for minecraft:axolotl_bucket is now minecraft:bucket. [29Jan2025 18:03:54.090] [modloading-worker-0/INFO] [Bookshelf/]: Fixing MC-151457. Crafting remainder for minecraft:powder_snow_bucket is now minecraft:bucket. [29Jan2025 18:03:54.090] [modloading-worker-0/INFO] [Bookshelf/]: Fixing MC-151457. Crafting remainder for minecraft:tadpole_bucket is now minecraft:bucket. [29Jan2025 18:03:54.106] [modloading-worker-0/INFO] [de.keksuccino.melody.Melody/]: [MELODY] Loading Melody background audio library.. [29Jan2025 18:03:54.184] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for diagonalblocks:main [29Jan2025 18:03:54.186] [modloading-worker-0/INFO] [de.keksuccino.konkrete.Konkrete/]: [KONKRETE] Successfully initialized! [29Jan2025 18:03:54.188] [modloading-worker-0/INFO] [de.keksuccino.konkrete.Konkrete/]: [KONKRETE] Server-side libs ready to use! [29Jan2025 18:03:54.193] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing client components for diagonalblocks:main [29Jan2025 18:03:54.490] [modloading-worker-0/INFO] [me.fallenbreath.fastipping.FastIpPingMod/]: ping & connect fast! [29Jan2025 18:03:54.491] [Modding Legacy/blue_skies/Supporters thread/INFO] [ModdingLegacy/blue_skies/Supporter/]: Successfully loaded the Modding Legacy supporters list. [29Jan2025 18:03:54.958] [Datafixer Bootstrap/INFO] [com.cupboard.Cupboard/]: Loaded config for: connectivity.json [29Jan2025 18:03:55.029] [modloading-worker-0/INFO] [org.groovymc.gml.GModContainer/]: Auto-Subscribing EBS class com.matyrobbrt.eatinganimation.EventListeners to bus Lorg/groovymc/gml/bus/type/ForgeBus; [29Jan2025 18:03:55.037] [modloading-worker-0/INFO] [org.groovymc.gml.GModContainer/]: Auto-Subscribing EBS class com.matyrobbrt.eatinganimation.ClientSetup to bus Lorg/groovymc/gml/bus/type/ModBus; [29Jan2025 18:03:55.199] [Datafixer Bootstrap/INFO] [com.mojang.datafixers.DataFixerBuilder/]: 188 Datafixer optimizations took 367 milliseconds [29Jan2025 18:03:55.330] [modloading-worker-0/INFO] [com.cupboard.Cupboard/]: Loaded config for: cupboard.json [29Jan2025 18:03:55.340] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering S2C receiver with id architectury:sync_ids [29Jan2025 18:03:55.345] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id architectury:sync_ids [29Jan2025 18:03:55.483] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for tradingpost:main [29Jan2025 18:03:55.512] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing client components for tradingpost:main [29Jan2025 18:03:55.617] [modloading-worker-0/INFO] [ping-wheel/]: [Ping-Wheel] Init [29Jan2025 18:03:55.622] [modloading-worker-0/INFO] [ping-wheel/]: [Ping-Wheel] Loaded ServerConfig(defaultChannelMode=auto, playerTrackingEnabled=true, msToRegenerate=1000, rateLimit=5) [29Jan2025 18:03:55.658] [modloading-worker-0/INFO] [ping-wheel/]: [Ping-Wheel] Loaded ClientConfig(pingVolume=100, pingDuration=7, pingDistance=2048, correctionPeriod=1.0, itemIconVisible=true, directionIndicatorVisible=true, nameLabelForced=false, pingSize=100, channel=, removeRadius=10, raycastDistance=1024, safeZoneLeft=5, safeZoneRight=5, safeZoneTop=5, safeZoneBottom=60) [29Jan2025 18:03:56.071] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id artifacts:networking_channel/42a7ad70b1cc371599a0eff744096b8a [29Jan2025 18:03:56.071] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering S2C receiver with id artifacts:networking_channel/42a7ad70b1cc371599a0eff744096b8a [29Jan2025 18:03:56.073] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id artifacts:networking_channel/74a5e841822a3a87854ae896a33430d6 [29Jan2025 18:03:56.074] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering S2C receiver with id artifacts:networking_channel/74a5e841822a3a87854ae896a33430d6 [29Jan2025 18:03:56.083] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id artifacts:networking_channel/eb3d1e2748533430848cadf0f37c7e9c [29Jan2025 18:03:56.084] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering S2C receiver with id artifacts:networking_channel/eb3d1e2748533430848cadf0f37c7e9c [29Jan2025 18:03:56.094] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id artifacts:networking_channel/91c8520f19f93b3e8b6a727568e194ab [29Jan2025 18:03:56.095] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering S2C receiver with id artifacts:networking_channel/91c8520f19f93b3e8b6a727568e194ab [29Jan2025 18:03:56.100] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id artifacts:networking_channel/8c2784d778293fd482ed84b8aa5fedb9 [29Jan2025 18:03:56.101] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering S2C receiver with id artifacts:networking_channel/8c2784d778293fd482ed84b8aa5fedb9 [29Jan2025 18:03:56.107] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id artifacts:networking_channel/ea038224ea783d40b2863f52239e2604 [29Jan2025 18:03:56.108] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering S2C receiver with id artifacts:networking_channel/ea038224ea783d40b2863f52239e2604 [29Jan2025 18:03:56.114] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id artifacts:networking_channel/97ad64b7ecaf33209991c4f031501a58 [29Jan2025 18:03:56.116] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering S2C receiver with id artifacts:networking_channel/97ad64b7ecaf33209991c4f031501a58 [29Jan2025 18:03:56.204] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id magistuarmory:packet_long_reach_attack [29Jan2025 18:03:56.210] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering C2S receiver with id magistuarmory:packet_lance_collision [29Jan2025 18:03:56.212] [modloading-worker-0/INFO] [dev.architectury.networking.forge.NetworkManagerImpl/]: Registering S2C receiver with id magistuarmory:packet_bc_or_ef_installed [29Jan2025 18:03:56.315] [modloading-worker-0/INFO] [AutoMessage/]: Hello Forge world! [29Jan2025 18:03:56.318] [modloading-worker-0/INFO] [AutoMessage/]: Hello from AutoMessage Common init on Forge! we are currently in a production environment! [29Jan2025 18:03:56.318] [modloading-worker-0/INFO] [AutoMessage/]: The ID for diamonds is minecraft:diamond [29Jan2025 18:03:56.319] [modloading-worker-0/INFO] [AutoMessage/]: Hello to AutoMessage [29Jan2025 18:03:56.386] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 23 note sounds of evenmoreinstruments:note_block_instrument [29Jan2025 18:03:56.387] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:keyboard [29Jan2025 18:03:56.387] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:violin_full [29Jan2025 18:03:56.387] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of genshinstrument:windsong_lyre [29Jan2025 18:03:56.388] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:violin_half [29Jan2025 18:03:56.389] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:trombone [29Jan2025 18:03:56.389] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of genshinstrument:vintage_lyre [29Jan2025 18:03:56.390] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of genshinstrument:floral_zither_new [29Jan2025 18:03:56.389] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:saxophone [29Jan2025 18:03:56.390] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:guitar [29Jan2025 18:03:56.391] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:shamisen [29Jan2025 18:03:56.391] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:koto [29Jan2025 18:03:56.391] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:pipa_regular [29Jan2025 18:03:56.392] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of evenmoreinstruments:pipa_tremolo [29Jan2025 18:03:56.392] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 21 note sounds of genshinstrument:floral_zither_old [29Jan2025 18:03:56.392] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 2 note sounds of genshinstrument:glorious_drum [29Jan2025 18:03:56.397] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 14 note sounds of genshinstrument:nightwind_horn_hold [29Jan2025 18:03:56.398] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.NoteSoundRegistrar/]: Successfully registered 14 note sounds of genshinstrument:nightwind_horn_attack [29Jan2025 18:03:56.399] [modloading-worker-0/INFO] [com.cstav.genshinstrument.sound.registrar.HeldNoteSoundRegistrar/]: Successfully loaded 14 (x2, 28 total) held note sounds for genshinstrument:nightwind_horn [29Jan2025 18:03:56.552] [modloading-worker-0/INFO] [Enchantment Descriptions/]: Loaded config file. [29Jan2025 18:03:56.559] [modloading-worker-0/INFO] [Enchantment Descriptions/]: Saved config file. [29Jan2025 18:03:56.648] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for barteringstation:main [29Jan2025 18:03:56.663] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing client components for barteringstation:main [29Jan2025 18:03:56.724] [modloading-worker-0/INFO] [Puzzles Lib/]: Constructing common components for diagonalfences:main [29Jan2025 18:03:56.741] [modloading-worker-0/INFO] [de.keksuccino.fancymenu.FancyMenu/]: [FANCYMENU] Loading v3.3.2 in client-side mode on FORGE! [29Jan2025 18:03:56.960] [modloading-worker-0/INFO] [de.keksuccino.justzoom.JustZoom/]: [JUST ZOOM] Starting version 2.0.0 on Forge.. [29Jan2025 18:03:56.971] [modloading-worker-0/INFO] [be.florens.expandability.ExpandAbility/]: ExpandAbility here, who dis? [29Jan2025 18:03:57.010] [modloading-worker-0/INFO] [de.keksuccino.loadmyresources.LoadMyResources/]: [LOAD MY RESOURCES] PackHandler initialized! [29Jan2025 18:03:59.408] [Render thread/INFO] [snownee.kiwi.Kiwi/INIT]: Module [snowrealmagic:core] initialized [29Jan2025 18:03:59.410] [Render thread/INFO] [snownee.kiwi.Kiwi/INIT]:         block: 7, block_entity_type: 2, entity_type: 1, loot_pool_entry_type: 1 [29Jan2025 18:03:59.411] [Render thread/INFO] [snownee.kiwi.Kiwi/INIT]: Module [kiwi:block_templates] initialized [29Jan2025 18:03:59.412] [Render thread/INFO] [snownee.kiwi.Kiwi/INIT]: Module [kiwi:block_components] initialized [29Jan2025 18:03:59.412] [Render thread/INFO] [snownee.kiwi.Kiwi/INIT]: Module [kiwi:data] initialized [29Jan2025 18:03:59.413] [Render thread/INFO] [snownee.kiwi.Kiwi/INIT]:         recipe_serializer: 3 [29Jan2025 18:03:59.414] [Render thread/INFO] [snownee.kiwi.Kiwi/INIT]: Module [kiwi:item_templates] initialized [29Jan2025 18:03:59.754] [Render thread/WARN] [net.minecraftforge.registries.ForgeRegistry/REGISTRIES]: Registry minecraft:sound_event: The object net.minecraft.sounds.SoundEvent@4d0dc8b8 has been registered twice for the same name treechop:chop_wood. [29Jan2025 18:04:00.491] [Render thread/INFO] [Diagonal Blocks/]: Constructing shapes for ForgeDiagonalFenceBlock[NodeWidth=2.0,ExtensionWidth=2.0,NodeTop=24.0,ExtensionBottom=0.0,ExtensionTop=24.0] took 29ms [29Jan2025 18:04:00.522] [Render thread/INFO] [Diagonal Blocks/]: Constructing shapes for ForgeDiagonalFenceBlock[NodeWidth=2.0,ExtensionWidth=2.0,NodeTop=16.0,ExtensionBottom=0.0,ExtensionTop=16.0] took 27ms [29Jan2025 18:04:00.601] [Render thread/INFO] [Diagonal Blocks/]: Constructing shapes for ForgeDiagonalFenceBlock[NodeWidth=2.0,ExtensionWidth=1.0,NodeTop=16.0,ExtensionBottom=6.0,ExtensionTop=15.0] took 73ms [29Jan2025 18:04:04.140] [Render thread/WARN] [Moonlight/]: Failed to find custom wood type biomesoplenty:red_maple [29Jan2025 18:04:04.140] [Render thread/WARN] [Moonlight/]: Failed to find custom wood type biomesoplenty:orange_maple [29Jan2025 18:04:04.140] [Render thread/WARN] [Moonlight/]: Failed to find custom wood type biomesoplenty:yellow_maple [29Jan2025 18:04:04.159] [Render thread/INFO] [Moonlight/]: Initialized block sets in 54ms [29Jan2025 18:04:06.913] [Render thread/WARN] [dev.architectury.registry.registries.forge.RegistrarManagerImpl/]: Registry entry listened Registry Entry [minecraft:entity_type / artifacts:mimic] was not realized! [29Jan2025 18:04:06.913] [Render thread/WARN] [dev.architectury.registry.registries.forge.RegistrarManagerImpl/]: Registry entry listened Registry Entry [minecraft:entity_type / artifacts:mimic] was not realized! [29Jan2025 18:04:06.914] [Render thread/WARN] [dev.architectury.registry.registries.forge.RegistrarManagerImpl/]: Registry entry listened Registry Entry [minecraft:entity_type / artifacts:mimic] was not realized! [29Jan2025 18:04:08.471] [Render thread/INFO] [ModdingLegacy/StructureGel/]: [structure_gel] Registering data for structure_gel:loot_table_alias [29Jan2025 18:04:08.484] [Render thread/INFO] [ModdingLegacy/StructureGel/]: [structure_gel] Registering data for structure_gel:data_handler_type [29Jan2025 18:04:08.487] [Render thread/INFO] [ModdingLegacy/StructureGel/]: [structure_gel] Registering data for structure_gel:dynamic_spawner [29Jan2025 18:04:08.490] [Render thread/INFO] [ModdingLegacy/StructureGel/]: [structure_gel] Registering data for structure_gel:jigsaw_type [29Jan2025 18:04:08.946] [Render thread/INFO] [ModernFix/]: Replacing search trees with 'JEI' provider [29Jan2025 18:04:09.109] [Render thread/INFO] [de.keksuccino.loadmyresources.LoadMyResources/]: [LOAD MY RESOURCES] Pack registered! [29Jan2025 18:04:09.460] [Render thread/INFO] [Embeddium/]: Block minecraft:birch_leaves had its color provider replaced and will not use per-vertex coloring [29Jan2025 18:04:09.462] [Render thread/INFO] [com.github.alexthe666.alexsmobs.AlexsMobs/]: loaded in block colorizer [29Jan2025 18:04:09.481] [Render thread/INFO] [Embeddium/]: Block undergarden:gloomgourd_stem had its color provider replaced and will not use per-vertex coloring [29Jan2025 18:04:09.481] [Render thread/INFO] [Embeddium/]: Block undergarden:gloomgourd_stem_attached had its color provider replaced and will not use per-vertex coloring [29Jan2025 18:04:09.483] [Render thread/INFO] [Embeddium/]: Block minecraft:water_cauldron had its color provider replaced and will not use per-vertex coloring [29Jan2025 18:04:09.506] [Render thread/INFO] [com.github.alexthe666.alexsmobs.AlexsMobs/]: loaded in item colorizer [29Jan2025 18:04:09.815] [Render thread/INFO] [Oculus/]: Hardware information: [29Jan2025 18:04:09.815] [Render thread/INFO] [Oculus/]: CPU: 8x AMD Custom APU 0932 [29Jan2025 18:04:09.815] [Render thread/INFO] [Oculus/]: GPU: AMD Custom GPU 0932 (radeonsi, vangogh, LLVM 19.1.6, DRM 3.57, 6.5.0-valve22-1-neptune-65-g9a338ed8a75e) (Supports OpenGL 4.6 (Core Profile) Mesa 24.3.1 (git-c815d651b8)) [29Jan2025 18:04:09.815] [Render thread/INFO] [Oculus/]: OS: Linux (6.5.0-valve22-1-neptune-65-g9a338ed8a75e) [29Jan2025 18:04:09.854] [Render thread/WARN] [Embeddium-MixinTaintDetector/]: Mod(s) [oculus] are modifying Embeddium class me.jellysquid.mods.sodium.client.render.vertex.VertexFormatDescriptionImpl, which may cause instability. [29Jan2025 18:04:09.862] [Render thread/WARN] [Embeddium-MixinTaintDetector/]: Mod(s) [oculus] are modifying Embeddium class me.jellysquid.mods.sodium.client.render.vertex.buffer.SodiumBufferBuilder, which may cause instability. [29Jan2025 18:04:09.894] [Render thread/WARN] [Embeddium-MixinTaintDetector/]: Mod(s) [oculus] are modifying Embeddium class me.jellysquid.mods.sodium.client.render.SodiumWorldRenderer, which may cause instability. [29Jan2025 18:04:10.509] [Finalizer/WARN] [ModernFix/]: One or more BufferBuilders have been leaked, ModernFix will attempt to correct this. [29Jan2025 18:04:11.500] [Render thread/INFO] [journeymap/]: Registering Keybinds [29Jan2025 18:04:11.625] [Render thread/INFO] [net.minecraft.client.Minecraft/]: [FANCYMENU] Registering resource reload listener.. [29Jan2025 18:04:11.735] [Render thread/INFO] [de.keksuccino.fancymenu.customization.ScreenCustomization/]: [FANCYMENU] Initializing screen customization engine! Addons should NOT REGISTER TO REGISTRIES anymore now! [29Jan2025 18:04:12.228] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] Minecraft resource reload: STARTING [29Jan2025 18:04:12.229] [Render thread/INFO] [ModernFix/]: Invalidating pack caches [29Jan2025 18:04:12.230] [Render thread/INFO] [net.minecraft.server.packs.resources.ReloadableResourceManager/]: Reloading ResourceManager: vanilla, mod_resources, Moonlight Mods Dynamic Assets, hordes-config, loadmyresources.hiddenpack, diagonalblocks:default_block_models [29Jan2025 18:04:12.315] [Render thread/INFO] [Puzzles Lib/]: Data generation for dynamic pack resources provided by 'diagonalblocks' took 82ms [29Jan2025 18:04:12.324] [Render thread/ERROR] [net.minecraft.server.packs.resources.MultiPackResourceManager/]: Failed to get filter section from pack loadmyresources.hiddenpack [29Jan2025 18:04:13.232] [Render thread/ERROR] [com.ordana.immersive_weathering.ImmersiveWeathering/]: Could not generate heavy leaf pile texture for type twilightforest:beanstalk java.io.IOException: Failed to open texture at location twilightforest:block/beanstalk_leaves: no such file     at net.mehvahdjukaar.moonlight.api.resources.textures.TextureImage.open(TextureImage.java:188) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at com.ordana.immersive_weathering.dynamicpack.ClientDynamicResourcesHandler.lambda$regenerateDynamicAssets$3(ClientDynamicResourcesHandler.java:162) ~[immersive_weathering-1.20.1-2.0.5-forge.jar%23497!/:?]     at java.util.LinkedHashMap.forEach(LinkedHashMap.java:721) ~[?:?]     at com.ordana.immersive_weathering.dynamicpack.ClientDynamicResourcesHandler.regenerateDynamicAssets(ClientDynamicResourcesHandler.java:157) ~[immersive_weathering-1.20.1-2.0.5-forge.jar%23497!/:?]     at net.mehvahdjukaar.moonlight.api.resources.pack.DynResourceGenerator.reloadResources(DynResourceGenerator.java:129) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at net.mehvahdjukaar.moonlight.api.resources.pack.DynResourceGenerator.onEarlyReload(DynResourceGenerator.java:82) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at net.mehvahdjukaar.moonlight.api.events.forge.MoonlightEventsHelperImpl.lambda$postEvent$5(MoonlightEventsHelperImpl.java:43) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at java.util.concurrent.ConcurrentLinkedDeque.forEach(ConcurrentLinkedDeque.java:1650) ~[?:?]     at net.mehvahdjukaar.moonlight.api.events.forge.MoonlightEventsHelperImpl.postEvent(MoonlightEventsHelperImpl.java:43) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at net.mehvahdjukaar.moonlight.api.events.MoonlightEventsHelper.postEvent(MoonlightEventsHelper.java) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at net.minecraft.server.packs.resources.MultiPackResourceManager.handler$fcb000$moonlight$dynamicPackEarlyReload(MultiPackResourceManager.java:544) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.server.packs.resources.MultiPackResourceManager.<init>(MultiPackResourceManager.java:60) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.server.packs.resources.ReloadableResourceManager.m_142463_(ReloadableResourceManager.java:44) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.Minecraft.<init>(Minecraft.java:561) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.main.Main.main(Main.java:182) ~[minecraft-1.20.1-client.jar:?]     at jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:?]     at jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) ~[?:?]     at jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:?]     at java.lang.reflect.Method.invoke(Method.java:568) ~[?:?]     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.runTarget(CommonLaunchHandler.java:111) ~[fmlloader-1.20.1-47.3.0.jar:?]     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.clientService(CommonLaunchHandler.java:99) ~[fmlloader-1.20.1-47.3.0.jar:?]     at net.minecraftforge.fml.loading.targets.CommonClientLaunchHandler.lambda$makeService$0(CommonClientLaunchHandler.java:25) ~[fmlloader-1.20.1-47.3.0.jar:?]     at cpw.mods.modlauncher.LaunchServiceHandlerDecorator.launch(LaunchServiceHandlerDecorator.java:30) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:53) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:71) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.Launcher.run(Launcher.java:108) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.Launcher.main(Launcher.java:78) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:26) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:23) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.bootstraplauncher.BootstrapLauncher.main(BootstrapLauncher.java:141) ~[bootstraplauncher-1.1.2.jar:?]     at jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:?]     at jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) ~[?:?]     at jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:?]     at java.lang.reflect.Method.invoke(Method.java:568) ~[?:?]     at io.github.zekerzhayard.forgewrapper.installer.Main.main(Main.java:67) ~[?:?]     at org.prismlauncher.launcher.impl.StandardLauncher.launch(StandardLauncher.java:105) ~[?:?]     at org.prismlauncher.EntryPoint.listen(EntryPoint.java:129) ~[?:?]     at org.prismlauncher.EntryPoint.main(EntryPoint.java:70) ~[?:?] [29Jan2025 18:04:13.234] [Render thread/ERROR] [com.ordana.immersive_weathering.ImmersiveWeathering/]: Could not generate heavy leaf pile texture for type twilightforest:thorn java.io.IOException: Failed to open texture at location twilightforest:block/thorn_leaves: no such file     at net.mehvahdjukaar.moonlight.api.resources.textures.TextureImage.open(TextureImage.java:188) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at com.ordana.immersive_weathering.dynamicpack.ClientDynamicResourcesHandler.lambda$regenerateDynamicAssets$3(ClientDynamicResourcesHandler.java:162) ~[immersive_weathering-1.20.1-2.0.5-forge.jar%23497!/:?]     at java.util.LinkedHashMap.forEach(LinkedHashMap.java:721) ~[?:?]     at com.ordana.immersive_weathering.dynamicpack.ClientDynamicResourcesHandler.regenerateDynamicAssets(ClientDynamicResourcesHandler.java:157) ~[immersive_weathering-1.20.1-2.0.5-forge.jar%23497!/:?]     at net.mehvahdjukaar.moonlight.api.resources.pack.DynResourceGenerator.reloadResources(DynResourceGenerator.java:129) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at net.mehvahdjukaar.moonlight.api.resources.pack.DynResourceGenerator.onEarlyReload(DynResourceGenerator.java:82) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at net.mehvahdjukaar.moonlight.api.events.forge.MoonlightEventsHelperImpl.lambda$postEvent$5(MoonlightEventsHelperImpl.java:43) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at java.util.concurrent.ConcurrentLinkedDeque.forEach(ConcurrentLinkedDeque.java:1650) ~[?:?]     at net.mehvahdjukaar.moonlight.api.events.forge.MoonlightEventsHelperImpl.postEvent(MoonlightEventsHelperImpl.java:43) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at net.mehvahdjukaar.moonlight.api.events.MoonlightEventsHelper.postEvent(MoonlightEventsHelper.java) ~[moonlight-1.20-2.13.55-forge.jar%23535!/:?]     at net.minecraft.server.packs.resources.MultiPackResourceManager.handler$fcb000$moonlight$dynamicPackEarlyReload(MultiPackResourceManager.java:544) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.server.packs.resources.MultiPackResourceManager.<init>(MultiPackResourceManager.java:60) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.server.packs.resources.ReloadableResourceManager.m_142463_(ReloadableResourceManager.java:44) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.Minecraft.<init>(Minecraft.java:561) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.main.Main.main(Main.java:182) ~[minecraft-1.20.1-client.jar:?]     at jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:?]     at jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) ~[?:?]     at jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:?]     at java.lang.reflect.Method.invoke(Method.java:568) ~[?:?]     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.runTarget(CommonLaunchHandler.java:111) ~[fmlloader-1.20.1-47.3.0.jar:?]     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.clientService(CommonLaunchHandler.java:99) ~[fmlloader-1.20.1-47.3.0.jar:?]     at net.minecraftforge.fml.loading.targets.CommonClientLaunchHandler.lambda$makeService$0(CommonClientLaunchHandler.java:25) ~[fmlloader-1.20.1-47.3.0.jar:?]     at cpw.mods.modlauncher.LaunchServiceHandlerDecorator.launch(LaunchServiceHandlerDecorator.java:30) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:53) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.LaunchServiceHandler.launch(LaunchServiceHandler.java:71) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.Launcher.run(Launcher.java:108) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.Launcher.main(Launcher.java:78) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:26) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.BootstrapLaunchConsumer.accept(BootstrapLaunchConsumer.java:23) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.bootstraplauncher.BootstrapLauncher.main(BootstrapLauncher.java:141) ~[bootstraplauncher-1.1.2.jar:?]     at jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[?:?]     at jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) ~[?:?]     at jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[?:?]     at java.lang.reflect.Method.invoke(Method.java:568) ~[?:?]     at io.github.zekerzhayard.forgewrapper.installer.Main.main(Main.java:67) ~[?:?]     at org.prismlauncher.launcher.impl.StandardLauncher.launch(StandardLauncher.java:105) ~[?:?]     at org.prismlauncher.EntryPoint.listen(EntryPoint.java:129) ~[?:?]     at org.prismlauncher.EntryPoint.main(EntryPoint.java:70) ~[?:?] [29Jan2025 18:04:13.401] [Render thread/INFO] [com.ordana.immersive_weathering.ImmersiveWeathering/]: Generated runtime CLIENT_RESOURCES for pack Moonlight Mods Dynamic Assets (immersive_weathering) in: 1063 ms [29Jan2025 18:04:13.463] [Render thread/WARN] [Amendments/]: Failed to generate record item texture for defying_starlight. No model / texture found [29Jan2025 18:04:13.510] [Render thread/WARN] [Amendments/]: Failed to generate record item texture for music_disc_maledictus. No model / texture found [29Jan2025 18:04:13.577] [Render thread/INFO] [Amendments/]: Generated runtime CLIENT_RESOURCES for pack Moonlight Mods Dynamic Assets (amendments) in: 176 ms [29Jan2025 18:04:14.191] [Render thread/INFO] [Supplementaries/]: Generated runtime CLIENT_RESOURCES for pack Moonlight Mods Dynamic Assets (supplementaries) in: 613 ms [29Jan2025 18:04:14.192] [Render thread/INFO] [Moonlight/]: Generated runtime CLIENT_RESOURCES for pack Moonlight Mods Dynamic Assets (moonlight) in: 1 ms [29Jan2025 18:04:14.246] [Render thread/INFO] [com.teamabnormals.blueprint.core.Blueprint/]: Successfully loaded 0 assets remolders! [29Jan2025 18:04:14.275] [modloading-worker-0/INFO] [Puzzles Lib/]: Loading client config for easyanvils [29Jan2025 18:04:14.286] [modloading-worker-0/INFO] [Puzzles Lib/]: Loading client config for pickupnotifier [29Jan2025 18:04:14.301] [modloading-worker-0/INFO] [Puzzles Lib/]: Loading client config for visualworkbench [29Jan2025 18:04:14.605] [Worker-ResourceReload-2/ERROR] [software.bernie.geckolib.GeckoLib/]: Unable to parse animation: action [29Jan2025 18:04:14.604] [Worker-ResourceReload-4/WARN] [net.minecraft.client.sounds.SoundManager/]: File supplementaries:sounds/item/awning_bounce_1.ogg does not exist, cannot add it to event supplementaries:block.awning.bounce [29Jan2025 18:04:14.623] [Worker-ResourceReload-4/WARN] [net.minecraft.client.sounds.SoundManager/]: File supplementaries:sounds/item/awning_bounce_2.ogg does not exist, cannot add it to event supplementaries:block.awning.bounce [29Jan2025 18:04:14.623] [Worker-ResourceReload-4/WARN] [net.minecraft.client.sounds.SoundManager/]: File supplementaries:sounds/item/awning_bounce_3.ogg does not exist, cannot add it to event supplementaries:block.awning.bounce [29Jan2025 18:04:14.625] [Worker-ResourceReload-5/ERROR] [software.bernie.geckolib.GeckoLib/]: Unable to parse animation: Walk [29Jan2025 18:04:14.670] [Worker-ResourceReload-0/ERROR] [software.bernie.geckolib.GeckoLib/]: Unable to parse animation: flop [29Jan2025 18:04:14.685] [Render thread/INFO] [de.keksuccino.fancymenu.FancyMenu/]: [FANCYMENU] Starting late client initialization phase.. [29Jan2025 18:04:14.695] [Worker-ResourceReload-4/WARN] [net.minecraft.client.sounds.SoundManager/]: File undead_revamp2:sounds/wheezerhurt2_2.ogg does not exist, cannot add it to event undead_revamp2:wheezehurt [29Jan2025 18:04:14.755] [Render thread/INFO] [com.cerbon.beb.util.BEBConstants/]: Forge only mixins are working for Beautiful Enchanted Books! [29Jan2025 18:04:14.757] [Render thread/INFO] [defaultoptions/]: Loaded default options for keymappings [29Jan2025 18:04:14.775] [Worker-ResourceReload-5/ERROR] [software.bernie.geckolib.GeckoLib/]: Unable to parse animation: reward [29Jan2025 18:04:14.779] [Worker-ResourceReload-0/INFO] [net.minecraft.client.gui.font.providers.UnihexProvider/]: Found unifont_all_no_pua-15.0.06.hex, loading [29Jan2025 18:04:14.793] [modloading-worker-0/INFO] [com.bisecthosting.mods.bhmenu.ModRoot/]: Reloading Configs [29Jan2025 18:04:14.815] [Worker-ResourceReload-4/WARN] [net.minecraft.client.sounds.SoundManager/]: File cataclysm:sounds/entity/maledictus_leap.ogg does not exist, cannot add it to event cataclysm:maledictus_leap [29Jan2025 18:04:14.831] [modloading-worker-0/INFO] [Puzzles Lib/]: Loading client config for barteringstation [29Jan2025 18:04:14.846] [Worker-ResourceReload-4/WARN] [net.minecraft.client.sounds.SoundManager/]: File irons_spellbooks:sounds/dead_king/music/drums.ogg does not exist, cannot add it to event irons_spellbooks:entity.dead_king.music.drum_loop [29Jan2025 18:04:14.847] [Worker-ResourceReload-4/WARN] [net.minecraft.client.sounds.SoundManager/]: File irons_spellbooks:sounds/dead_king/music/finale.ogg does not exist, cannot add it to event irons_spellbooks:entity.dead_king.music.finale [29Jan2025 18:04:14.953] [Thread-0/INFO] [ModernFix/]: Please use /mfrc to reload any changed mod config files [29Jan2025 18:04:14.996] [modloading-worker-0/INFO] [Puzzles Lib/]: Loading common config for mutantmonsters [29Jan2025 18:04:15.014] [modloading-worker-0/INFO] [Puzzles Lib/]: Loading common config for stoneworks [29Jan2025 18:04:15.103] [modloading-worker-0/WARN] [net.minecraftforge.common.ForgeConfigSpec/CORE]: Configuration file /home/deck/.var/app/org.prismlauncher.PrismLauncher/data/PrismLauncher/instances/Horrorland - MC 1.20.1 - 12.0.0/minecraft/config/dragonseeker-common.toml is not correct. Correcting [29Jan2025 18:04:15.104] [modloading-worker-0/WARN] [net.minecraftforge.common.ForgeConfigSpec/CORE]: Incorrect key mythic_dragonseeker.Godly: pingCapRadius was corrected from 0 to its default, 1.  [29Jan2025 18:04:16.605] [Worker-ResourceReload-0/ERROR] [net.minecraft.client.renderer.texture.SpriteLoader/]: Using missing texture, unable to load undead_revamp2:bcd4cfe5-7792-4979-bcbb-1fbd266b85ef. java.io.IOException: Could not load image: Image not of any known type, or corrupt     at com.mojang.blaze3d.platform.NativeImage.m_85051_(NativeImage.java:138) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at com.mojang.blaze3d.platform.NativeImage.m_85048_(NativeImage.java:103) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at com.mojang.blaze3d.platform.NativeImage.m_85058_(NativeImage.java:94) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.texture.SpriteLoader.m_245083_(SpriteLoader.java:139) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.texture.atlas.SpriteSource$Output.m_261059_(SpriteSource.java:22) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.run(CompletableFuture.java:1768) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.exec(CompletableFuture.java:1760) ~[?:?]     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) ~[?:?]     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?]     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] [29Jan2025 18:04:16.698] [Worker-ResourceReload-5/ERROR] [net.minecraft.client.resources.model.ModelManager/]: Failed to load model mowziesmobs:models/block/black_pink_grottol.json com.google.gson.JsonParseException: for LLibrary bug not putting particle into textures set is not valid resource location     at net.minecraft.client.renderer.block.model.BlockModel$Deserializer.m_111503_(BlockModel.java:356) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.block.model.BlockModel$Deserializer.m_111509_(BlockModel.java:343) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.block.model.BlockModel$Deserializer.deserialize(BlockModel.java:307) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraftforge.client.model.ExtendedBlockModelDeserializer.deserialize(ExtendedBlockModelDeserializer.java:53) ~[forge-1.20.1-47.3.0-universal.jar%23631!/:?]     at net.minecraftforge.client.model.ExtendedBlockModelDeserializer.deserialize(ExtendedBlockModelDeserializer.java:38) ~[forge-1.20.1-47.3.0-universal.jar%23631!/:?]     at com.google.gson.internal.bind.TreeTypeAdapter.read(TreeTypeAdapter.java:76) ~[gson-2.10.jar%2388!/:?]     at net.minecraft.util.GsonHelper.m_13780_(GsonHelper.java:524) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.util.GsonHelper.m_263475_(GsonHelper.java:531) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.util.GsonHelper.m_13776_(GsonHelper.java:581) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.block.model.BlockModel.m_111461_(BlockModel.java:74) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.resources.model.ModelManager.m_246478_(ModelManager.java:110) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.run(CompletableFuture.java:1768) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.exec(CompletableFuture.java:1760) ~[?:?]     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) ~[?:?]     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?]     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] [29Jan2025 18:04:17.601] [Worker-ResourceReload-2/INFO] [com.clickadv.ClickAdvancements/]: clickadv mod initialized [29Jan2025 18:04:17.648] [Worker-ResourceReload-0/INFO] [bagus_lib/]: Load Bagus Lib Supporter [29Jan2025 18:04:17.828] [Worker-ResourceReload-4/WARN] [net.minecraft.client.renderer.texture.SpriteContents/]: Unused frames in sprite cataclysm:item/cursed_eye: [8, 9] [29Jan2025 18:04:17.827] [Worker-ResourceReload-5/ERROR] [net.minecraft.client.resources.model.ModelManager/]: Failed to load model mowziesmobs:models/block/diamond_grottol.json com.google.gson.JsonParseException: for LLibrary bug not putting particle into textures set is not valid resource location     at net.minecraft.client.renderer.block.model.BlockModel$Deserializer.m_111503_(BlockModel.java:356) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.block.model.BlockModel$Deserializer.m_111509_(BlockModel.java:343) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.block.model.BlockModel$Deserializer.deserialize(BlockModel.java:307) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraftforge.client.model.ExtendedBlockModelDeserializer.deserialize(ExtendedBlockModelDeserializer.java:53) ~[forge-1.20.1-47.3.0-universal.jar%23631!/:?]     at net.minecraftforge.client.model.ExtendedBlockModelDeserializer.deserialize(ExtendedBlockModelDeserializer.java:38) ~[forge-1.20.1-47.3.0-universal.jar%23631!/:?]     at com.google.gson.internal.bind.TreeTypeAdapter.read(TreeTypeAdapter.java:76) ~[gson-2.10.jar%2388!/:?]     at net.minecraft.util.GsonHelper.m_13780_(GsonHelper.java:524) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.util.GsonHelper.m_263475_(GsonHelper.java:531) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.util.GsonHelper.m_13776_(GsonHelper.java:581) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.block.model.BlockModel.m_111461_(BlockModel.java:74) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.resources.model.ModelManager.m_246478_(ModelManager.java:110) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.run(CompletableFuture.java:1768) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.exec(CompletableFuture.java:1760) ~[?:?]     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) ~[?:?]     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?]     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] [29Jan2025 18:04:17.831] [Worker-ResourceReload-4/WARN] [net.minecraft.client.renderer.texture.SpriteContents/]: Unused frames in sprite irons_spellbooks:item/energized_core_energy: [11] [29Jan2025 18:04:17.882] [Worker-ResourceReload-3/INFO] [io.github.jamalam360.rightclickharvest.RightClickHarvestModInit/]: Initialized [29Jan2025 18:04:17.937] [Worker-ResourceReload-2/INFO] [thetadev.constructionwand.ConstructionWand/]: ConstructionWand says hello - may the odds be ever in your favor. [29Jan2025 18:04:17.966] [Worker-ResourceReload-2/INFO] [thetadev.constructionwand.ConstructionWand/]: Botania integration added [29Jan2025 18:04:18.195] [Worker-ResourceReload-4/ERROR] [net.minecraft.client.renderer.texture.SpriteLoader/]: Using missing texture, unable to load the_knocker:blocks/13530476-cover_xl java.io.IOException: Could not load image: Image not of any known type, or corrupt     at com.mojang.blaze3d.platform.NativeImage.m_85051_(NativeImage.java:138) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at com.mojang.blaze3d.platform.NativeImage.m_85048_(NativeImage.java:103) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at com.mojang.blaze3d.platform.NativeImage.m_85058_(NativeImage.java:94) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.texture.SpriteLoader.m_245083_(SpriteLoader.java:139) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at net.minecraft.client.renderer.texture.atlas.SpriteSource$Output.m_261059_(SpriteSource.java:22) ~[client-1.20.1-20230612.114412-srg.jar%23626!/:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.run(CompletableFuture.java:1768) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.exec(CompletableFuture.java:1760) ~[?:?]     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) ~[?:?]     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?]     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] [29Jan2025 18:04:18.282] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [easyanvils] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/easyanvils.json [29Jan2025 18:04:18.344] [Worker-ResourceReload-4/WARN] [net.minecraft.client.renderer.texture.SpriteContents/]: Unused frames in sprite irons_spellbooks:item/upgrade_orb_ender: [1, 5, 6, 7] [29Jan2025 18:04:18.353] [Worker-ResourceReload-2/INFO] [com.chunksending.ChunkSending/]: chunksending mod initialized [29Jan2025 18:04:18.373] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [easyanvils] Found status: UP_TO_DATE Current: 8.0.2 Target: null [29Jan2025 18:04:18.374] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwwindows] Starting version check at https://raw.githubusercontent.com/sketchmacaw/macawsmods/master/window.json [29Jan2025 18:04:18.392] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwwindows] Found status: UP_TO_DATE Current: 2.3.0 Target: null [29Jan2025 18:04:18.392] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [pickupnotifier] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/pickupnotifier.json [29Jan2025 18:04:18.407] [Worker-ResourceReload-0/INFO] [com.connectivity.Connectivity/]: Connectivity initialized [29Jan2025 18:04:18.411] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [pickupnotifier] Found status: UP_TO_DATE Current: 8.0.0 Target: null [29Jan2025 18:04:18.412] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [hordes] Starting version check at https://raw.githubusercontent.com/SmileycorpMC/The-Hordes/1.20/update.json [29Jan2025 18:04:18.527] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [hordes] Found status: UP_TO_DATE Current: 1.5.4 Target: null [29Jan2025 18:04:18.528] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [sound_physics_remastered] Starting version check at https://update.maxhenkel.de/forge/sound_physics_remastered [29Jan2025 18:04:18.548] [Worker-ResourceReload-2/INFO] [com.gpumemleakfix.Gpumemleakfix/]: gpumemleakfix mod initialized [29Jan2025 18:04:18.549] [Worker-ResourceReload-2/INFO] [com.structureessentials.StructureEssentials/]: structureessentials mod initialized [29Jan2025 18:04:18.825] [Worker-ResourceReload-4/WARN] [net.minecraft.client.renderer.texture.SpriteLoader/]: Texture undead_revamp2:item/luredeffect with size 18x18 limits mip level from 4 to 1 [29Jan2025 18:04:18.827] [Worker-ResourceReload-4/WARN] [net.minecraft.client.renderer.texture.SpriteLoader/]: Texture cataclysm:item/black_steel_axe with size 15x16 limits mip level from 1 to 0 [29Jan2025 18:04:19.094] [Modding Legacy/conjurer_illager/Supporters thread/INFO] [ModdingLegacy/conjurer_illager/Supporter/]: Attempting to load the Modding Legacy supporters list from https://moddinglegacy.com/supporters-changelogs/supporters.txt [29Jan2025 18:04:19.188] [Worker-ResourceReload-0/INFO] [journeymap/]: Found @Ljourneymap/client/api/ClientPlugin;: net.blay09.mods.waystones.compat.JourneyMapIntegration [29Jan2025 18:04:19.211] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 4 clay_ball = 1 clay [29Jan2025 18:04:19.211] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 4 snowball = 1 snow_block [29Jan2025 18:04:19.211] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 4 glowstone_dust = 1 glowstone [29Jan2025 18:04:19.211] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 4 brick = 1 bricks [29Jan2025 18:04:19.211] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 4 nether_brick = 1 nether_bricks [29Jan2025 18:04:19.211] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 9 nether_wart = 1 nether_wart_block [29Jan2025 18:04:19.211] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 4 quartz = 1 quartz_block [29Jan2025 18:04:19.212] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 9 melon_slice = 1 melon [29Jan2025 18:04:19.212] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 4 sand = 1 sandstone [29Jan2025 18:04:19.212] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 4 red_sand = 1 red_sandstone [29Jan2025 18:04:19.217] [Worker-ResourceReload-2/INFO] [com.jaquadro.minecraft.storagedrawers.StorageDrawers/]: New compacting rule 4 clay_ball = 1 clay [29Jan2025 18:04:19.378] [Modding Legacy/conjurer_illager/Supporters thread/INFO] [ModdingLegacy/conjurer_illager/Supporter/]: Successfully loaded the Modding Legacy supporters list. [29Jan2025 18:04:20.051] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [sound_physics_remastered] Found status: AHEAD Current: 1.20.1-1.4.8 Target: null [29Jan2025 18:04:20.053] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [ctov] Starting version check at https://api.modrinth.com/updates/fgmhI8kH/forge_updates.json [29Jan2025 18:04:20.196] [Render thread/INFO] [terrablender/]: Registered region minecraft:overworld to index 0 for type OVERWORLD [29Jan2025 18:04:20.196] [Render thread/INFO] [terrablender/]: Registered region minecraft:nether to index 0 for type NETHER [29Jan2025 18:04:20.196] [Render thread/INFO] [terrablender/]: Registered region biomesoplenty:overworld_primary to index 1 for type OVERWORLD [29Jan2025 18:04:20.196] [Render thread/INFO] [terrablender/]: Registered region biomesoplenty:overworld_secondary to index 2 for type OVERWORLD [29Jan2025 18:04:20.196] [Render thread/INFO] [terrablender/]: Registered region biomesoplenty:overworld_rare to index 3 for type OVERWORLD [29Jan2025 18:04:20.196] [Render thread/INFO] [terrablender/]: Registered region biomesoplenty:nether_common to index 1 for type NETHER [29Jan2025 18:04:20.196] [Render thread/INFO] [terrablender/]: Registered region biomesoplenty:nether_rare to index 2 for type NETHER [29Jan2025 18:04:20.314] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [ctov] Found status: UP_TO_DATE Current: 3.4.11 Target: null [29Jan2025 18:04:20.315] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [structure_gel] Starting version check at http://changelogs.moddinglegacy.com/structure-gel.json [29Jan2025 18:04:20.441] [Render thread/INFO] [Supplementaries/]: Finished mod setup in: [41, 6, 0, 2, 0, 0, 23, 15, 2] ms [29Jan2025 18:04:20.645] [Render thread/INFO] [Framework/SYNCED_ENTITY_DATA]: Registered synced data key refurbished_furniture:lock_yaw for refurbished_furniture:seat [29Jan2025 18:04:20.901] [Worker-ResourceReload-6/WARN] [net.minecraft.client.renderer.texture.atlas.sources.SingleFile/]: Missing sprite: antiquelegacy:textures/entity/bronze_republic_scutum_pattern.png [29Jan2025 18:04:20.901] [Worker-ResourceReload-6/WARN] [net.minecraft.client.renderer.texture.atlas.sources.SingleFile/]: Missing sprite: antiquelegacy:textures/entity/bronze_republic_scutum_nopattern.png [29Jan2025 18:04:21.040] [Render thread/INFO] [Moonlight/]: Initialized color sets in 176ms [29Jan2025 18:04:21.041] [Render thread/INFO] [terrablender/]: Registered region regions_unexplored:primary to index 4 for type OVERWORLD [29Jan2025 18:04:21.041] [Render thread/INFO] [terrablender/]: Registered region regions_unexplored:secondary to index 5 for type OVERWORLD [29Jan2025 18:04:21.041] [Render thread/INFO] [terrablender/]: Registered region regions_unexplored:nether to index 3 for type NETHER [29Jan2025 18:04:21.058] [Render thread/INFO] [journeymap/]: Initializing Packet Registries [29Jan2025 18:04:21.074] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:shruster' referenced from: stalwart_dungeons:shruster#: java.io.FileNotFoundException: minecraft:models/shruster.json [29Jan2025 18:04:21.165] [Worker-ResourceReload-1/INFO] [Sound Physics - General/]: Reloading reverb parameters [29Jan2025 18:04:21.206] [Worker-ResourceReload-6/INFO] [SpectreLib/]: Registering config screens for mod veinmining with 3 config(s) [29Jan2025 18:04:21.208] [Worker-ResourceReload-6/INFO] [SpectreLib/]: Registering config screens for mod comforts with 1 config(s) [29Jan2025 18:04:21.241] [Worker-ResourceReload-1/INFO] [Sound Physics - General/]: Unknown sound in allowed sound config: eyesinthedarkness:mob.eyes.disappear [29Jan2025 18:04:21.243] [Worker-ResourceReload-1/INFO] [Sound Physics - General/]: Unknown sound in allowed sound config: cataclysm:strongswingattack [29Jan2025 18:04:21.243] [Worker-ResourceReload-1/INFO] [Sound Physics - General/]: Unknown sound in allowed sound config: eyesinthedarkness:mob.eyes.jumpscare [29Jan2025 18:04:21.243] [Worker-ResourceReload-1/INFO] [Sound Physics - General/]: Unknown sound in allowed sound config: eyesinthedarkness:mob.eyes.laugh [29Jan2025 18:04:21.247] [Worker-ResourceReload-1/INFO] [Sound Physics - General/]: Unknown sound in allowed sound config: cataclysm:swingattack [29Jan2025 18:04:21.322] [Placebo Patreon Trail Loader/INFO] [placebo/]: Loading patreon trails data... [29Jan2025 18:04:21.338] [Placebo Patreon Wing Loader/INFO] [placebo/]: Loading patreon wing data... [29Jan2025 18:04:21.343] [Worker-ResourceReload-1/INFO] [Sound Physics - General/]: Using Cloth Config GUI [29Jan2025 18:04:21.356] [Worker-ResourceReload-6/INFO] [de.keksuccino.konkrete.Konkrete/]: [KONKRETE] Client-side libs ready to use! [29Jan2025 18:04:21.381] [Placebo Patreon Trail Loader/INFO] [placebo/]: Loaded 44 patreon trails. [29Jan2025 18:04:21.406] [Worker-ResourceReload-1/INFO] [me.juancarloscp52.spyglass_improvements.SpyglassImprovements/]: Spyglass Improvements client Initialized [29Jan2025 18:04:21.452] [Placebo Patreon Wing Loader/INFO] [placebo/]: Loaded 38 patreon wings. [29Jan2025 18:04:21.611] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [structure_gel] Found status: BETA Current: 2.16.2 Target: null [29Jan2025 18:04:21.611] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [advancementplaques] Starting version check at https://mc-update-check.anthonyhilyard.com/499826 [29Jan2025 18:04:22.077] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [advancementplaques] Found status: UP_TO_DATE Current: 1.6.7 Target: null [29Jan2025 18:04:22.077] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [gml] Starting version check at https://maven.moddinginquisition.org/releases/org/groovymc/gml/gml/forge-promotions.json [29Jan2025 18:04:22.268] [Render thread/WARN] [com.github.alexthe666.iceandfire.IceAndFire/]: Could not load /assets/iceandfire/models/tabula/firedragon/firedragon_swimming.tbl: in is null [29Jan2025 18:04:22.343] [Render thread/WARN] [com.github.alexthe666.iceandfire.IceAndFire/]: Could not load /assets/iceandfire/models/tabula/firedragon/firedragon_swim5.tbl: in is null [29Jan2025 18:04:23.315] [Render thread/INFO] [journeymap/]: Journeymap Initializing [29Jan2025 18:04:23.835] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [gml] Found status: BETA Current: 4.0.9 Target: null [29Jan2025 18:04:23.835] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwtrpdoors] Starting version check at https://raw.githubusercontent.com/sketchmacaw/macawsmods/master/trapdoors.json [29Jan2025 18:04:23.865] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwtrpdoors] Found status: UP_TO_DATE Current: 1.1.4 Target: null [29Jan2025 18:04:23.865] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [highlighter] Starting version check at https://mc-update-check.anthonyhilyard.com/521590 [29Jan2025 18:04:23.959] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [highlighter] Found status: UP_TO_DATE Current: 1.1.9 Target: null [29Jan2025 18:04:23.959] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [searchables] Starting version check at https://updates.blamejared.com/get?n=searchables&gv=1.20.1 [29Jan2025 18:04:26.870] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:altar' referenced from: undead_revamp2:altarnom#: java.io.FileNotFoundException: minecraft:models/altar.json [29Jan2025 18:04:27.215] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [searchables] Found status: BETA Current: 1.0.3 Target: 1.0.3 [29Jan2025 18:04:27.215] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [tombstone] Starting version check at https://raw.githubusercontent.com/Corail31/tombstone_lite/master/update.json [29Jan2025 18:04:27.244] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [tombstone] Found status: UP_TO_DATE Current: 8.9.0 Target: null [29Jan2025 18:04:27.244] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [atlaslib] Starting version check at https://raw.githubusercontent.com/SmileycorpMC/Atlas-Lib/1.20/update.json [29Jan2025 18:04:27.267] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [atlaslib] Found status: UP_TO_DATE Current: 1.1.12 Target: null [29Jan2025 18:04:27.268] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwroofs] Starting version check at https://raw.githubusercontent.com/sketchmacaw/macawsmods/master/roofs.json [29Jan2025 18:04:27.289] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwroofs] Found status: UP_TO_DATE Current: 2.3.1 Target: null [29Jan2025 18:04:27.289] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwfurnitures] Starting version check at https://raw.githubusercontent.com/sketchmacaw/macawsmods/master/furniture.json [29Jan2025 18:04:27.363] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwfurnitures] Found status: UP_TO_DATE Current: 3.3.0 Target: null [29Jan2025 18:04:27.363] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwlights] Starting version check at https://raw.githubusercontent.com/sketchmacaw/macawsmods/master/lights.json [29Jan2025 18:04:27.381] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwlights] Found status: UP_TO_DATE Current: 1.1.0 Target: null [29Jan2025 18:04:27.381] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [radium] Starting version check at https://api.modrinth.com/updates/radium/forge_updates.json [29Jan2025 18:04:27.524] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [radium] Found status: AHEAD Current: 0.12.4+git.26c9d8e Target: null [29Jan2025 18:04:27.524] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mutantmonsters] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/mutantmonsters.json [29Jan2025 18:04:27.624] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mutantmonsters] Found status: UP_TO_DATE Current: 8.0.7 Target: null [29Jan2025 18:04:27.624] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [visualworkbench] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/visualworkbench.json [29Jan2025 18:04:27.646] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [visualworkbench] Found status: UP_TO_DATE Current: 8.0.0 Target: null [29Jan2025 18:04:27.646] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [attributefix] Starting version check at https://updates.blamejared.com/get?n=attributefix&gv=1.20.1 [29Jan2025 18:04:27.897] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [attributefix] Found status: BETA Current: 21.0.4 Target: 21.0.4 [29Jan2025 18:04:27.897] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [goblintraders] Starting version check at https://mrcrayfish.com/modupdatejson?id=goblintraders [29Jan2025 18:04:28.023] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=false,axis=y,waterlogged=false' [29Jan2025 18:04:28.023] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=false,axis=z,waterlogged=true' [29Jan2025 18:04:28.023] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=true,axis=y,waterlogged=false' [29Jan2025 18:04:28.023] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=true,axis=z,waterlogged=true' [29Jan2025 18:04:28.023] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=true,axis=z,waterlogged=false' [29Jan2025 18:04:28.023] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=true,axis=y,waterlogged=true' [29Jan2025 18:04:28.023] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=false,axis=x,waterlogged=false' [29Jan2025 18:04:28.024] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=false,axis=z,waterlogged=false' [29Jan2025 18:04:28.024] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=true,axis=x,waterlogged=true' [29Jan2025 18:04:28.024] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=false,axis=y,waterlogged=true' [29Jan2025 18:04:28.024] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=true,axis=x,waterlogged=false' [29Jan2025 18:04:28.024] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:stripped_lapidified_jungle_post#attached=false,axis=x,waterlogged=true' [29Jan2025 18:04:28.038] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=west,parts=4,waterlogged=false' [29Jan2025 18:04:28.038] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=south,parts=1,waterlogged=false' [29Jan2025 18:04:28.038] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=east,parts=1,waterlogged=true' [29Jan2025 18:04:28.038] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=north,parts=4,waterlogged=false' [29Jan2025 18:04:28.038] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=east,parts=1,waterlogged=true' [29Jan2025 18:04:28.038] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=east,parts=4,waterlogged=false' [29Jan2025 18:04:28.038] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=north,parts=4,waterlogged=true' [29Jan2025 18:04:28.038] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=east,parts=2,waterlogged=false' [29Jan2025 18:04:28.038] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=north,parts=1,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=east,parts=2,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=south,parts=4,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=south,parts=2,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=up,parts=3,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=down,parts=1,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=east,parts=2,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=north,parts=3,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=down,parts=4,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=north,parts=4,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=north,parts=2,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=east,parts=2,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=up,parts=1,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=east,parts=3,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=south,parts=1,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=north,parts=4,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=south,parts=1,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=west,parts=3,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=west,parts=4,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=up,parts=4,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=east,parts=3,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=west,parts=3,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=north,parts=2,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=east,parts=1,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=up,parts=1,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=down,parts=2,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=up,parts=2,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=south,parts=2,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=west,parts=2,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=south,parts=2,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=east,parts=4,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=west,parts=4,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=down,parts=2,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=west,parts=3,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=up,parts=3,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=south,parts=4,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=west,parts=2,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=north,parts=3,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=north,parts=2,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=up,parts=2,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=up,parts=3,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=down,parts=1,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=south,parts=4,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=east,parts=1,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=west,parts=1,waterlogged=false' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=south,parts=1,waterlogged=true' [29Jan2025 18:04:28.039] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=up,parts=4,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=south,parts=3,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=down,parts=3,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=west,parts=2,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=down,parts=1,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=down,parts=1,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=north,parts=1,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=up,parts=4,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=west,parts=1,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=down,parts=3,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=south,parts=3,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=north,parts=1,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=south,parts=2,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=down,parts=2,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=west,parts=1,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=down,parts=4,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=down,parts=2,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=north,parts=3,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=south,parts=4,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=up,parts=1,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=south,parts=3,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=east,parts=3,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=up,parts=1,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=west,parts=2,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=down,parts=3,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=west,parts=4,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=east,parts=3,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=up,parts=3,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=east,parts=4,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=west,parts=1,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=down,parts=3,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=up,parts=4,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=east,parts=4,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=up,parts=2,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=north,parts=3,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=south,parts=3,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=down,parts=4,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=west,parts=3,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=true,facing=north,parts=2,waterlogged=false' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=down,parts=4,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=up,parts=2,waterlogged=true' [29Jan2025 18:04:28.040] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/cut_stripped_lapidified_jungle_post.json' missing model for variant: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#attached=false,facing=north,parts=1,waterlogged=true' [29Jan2025 18:04:28.041] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/bundled_stripped_lapidified_jungle_posts.json' missing model for variant: 'valhelsia_structures:bundled_stripped_lapidified_jungle_posts#axis=z' [29Jan2025 18:04:28.041] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/bundled_stripped_lapidified_jungle_posts.json' missing model for variant: 'valhelsia_structures:bundled_stripped_lapidified_jungle_posts#axis=y' [29Jan2025 18:04:28.041] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'valhelsia_structures:blockstates/bundled_stripped_lapidified_jungle_posts.json' missing model for variant: 'valhelsia_structures:bundled_stripped_lapidified_jungle_posts#axis=x' [29Jan2025 18:04:28.745] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:koto_model' referenced from: evenmoreinstruments:koto#facing=north,part=left: java.io.FileNotFoundException: minecraft:models/koto_model.json [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/compacting_drawers_2.json' missing model for variant: 'storagedrawers:compacting_drawers_2#facing=north,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/compacting_drawers_2.json' missing model for variant: 'storagedrawers:compacting_drawers_2#facing=west,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/compacting_drawers_2.json' missing model for variant: 'storagedrawers:compacting_drawers_2#facing=east,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/compacting_drawers_2.json' missing model for variant: 'storagedrawers:compacting_drawers_2#facing=south,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/compacting_half_drawers_2.json' missing model for variant: 'storagedrawers:compacting_half_drawers_2#facing=west,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/compacting_half_drawers_2.json' missing model for variant: 'storagedrawers:compacting_half_drawers_2#facing=north,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/compacting_half_drawers_2.json' missing model for variant: 'storagedrawers:compacting_half_drawers_2#facing=east,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/compacting_half_drawers_2.json' missing model for variant: 'storagedrawers:compacting_half_drawers_2#facing=south,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/framed_compacting_drawers_2.json' missing model for variant: 'storagedrawers:framed_compacting_drawers_2#facing=north,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/framed_compacting_drawers_2.json' missing model for variant: 'storagedrawers:framed_compacting_drawers_2#facing=east,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/framed_compacting_drawers_2.json' missing model for variant: 'storagedrawers:framed_compacting_drawers_2#facing=west,slots=open3' [29Jan2025 18:04:28.879] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/framed_compacting_drawers_2.json' missing model for variant: 'storagedrawers:framed_compacting_drawers_2#facing=south,slots=open3' [29Jan2025 18:04:28.880] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/framed_compacting_half_drawers_2.json' missing model for variant: 'storagedrawers:framed_compacting_half_drawers_2#facing=north,slots=open3' [29Jan2025 18:04:28.880] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/framed_compacting_half_drawers_2.json' missing model for variant: 'storagedrawers:framed_compacting_half_drawers_2#facing=south,slots=open3' [29Jan2025 18:04:28.880] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/framed_compacting_half_drawers_2.json' missing model for variant: 'storagedrawers:framed_compacting_half_drawers_2#facing=east,slots=open3' [29Jan2025 18:04:28.880] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/framed_compacting_half_drawers_2.json' missing model for variant: 'storagedrawers:framed_compacting_half_drawers_2#facing=west,slots=open3' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_indicator.json' missing model for variant: 'storagedrawers:meta_indicator#facing=west,half=true,slots=3' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_indicator.json' missing model for variant: 'storagedrawers:meta_indicator#facing=north,half=true,slots=3' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_indicator.json' missing model for variant: 'storagedrawers:meta_indicator#facing=north,half=false,slots=3' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_indicator.json' missing model for variant: 'storagedrawers:meta_indicator#facing=west,half=false,slots=3' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_indicator.json' missing model for variant: 'storagedrawers:meta_indicator#facing=south,half=true,slots=3' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_indicator.json' missing model for variant: 'storagedrawers:meta_indicator#facing=south,half=false,slots=3' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_indicator.json' missing model for variant: 'storagedrawers:meta_indicator#facing=east,half=true,slots=3' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_indicator.json' missing model for variant: 'storagedrawers:meta_indicator#facing=east,half=false,slots=3' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=south,half=false,slots=4' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=east,half=false,slots=1' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=east,half=false,slots=4' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=west,half=false,slots=4' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=east,half=true,slots=4' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=east,half=true,slots=1' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=south,half=false,slots=1' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=south,half=true,slots=4' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=south,half=true,slots=1' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=north,half=false,slots=4' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=north,half=true,slots=1' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=west,half=true,slots=4' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=north,half=true,slots=4' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=west,half=true,slots=1' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=west,half=false,slots=1' [29Jan2025 18:04:28.881] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_comp_indicator.json' missing model for variant: 'storagedrawers:meta_comp_indicator#facing=north,half=false,slots=1' [29Jan2025 18:04:28.882] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_side.json' missing model for variant: 'storagedrawers:meta_framed_drawers_side#facing=east,half=true,slots=3' [29Jan2025 18:04:28.882] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_side.json' missing model for variant: 'storagedrawers:meta_framed_drawers_side#facing=east,half=false,slots=3' [29Jan2025 18:04:28.882] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_side.json' missing model for variant: 'storagedrawers:meta_framed_drawers_side#facing=north,half=true,slots=3' [29Jan2025 18:04:28.882] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_side.json' missing model for variant: 'storagedrawers:meta_framed_drawers_side#facing=west,half=true,slots=3' [29Jan2025 18:04:28.882] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_side.json' missing model for variant: 'storagedrawers:meta_framed_drawers_side#facing=north,half=false,slots=3' [29Jan2025 18:04:28.882] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_side.json' missing model for variant: 'storagedrawers:meta_framed_drawers_side#facing=south,half=true,slots=3' [29Jan2025 18:04:28.882] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_side.json' missing model for variant: 'storagedrawers:meta_framed_drawers_side#facing=west,half=false,slots=3' [29Jan2025 18:04:28.882] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_side.json' missing model for variant: 'storagedrawers:meta_framed_drawers_side#facing=south,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_trim.json' missing model for variant: 'storagedrawers:meta_framed_drawers_trim#facing=east,half=true,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_trim.json' missing model for variant: 'storagedrawers:meta_framed_drawers_trim#facing=south,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_trim.json' missing model for variant: 'storagedrawers:meta_framed_drawers_trim#facing=west,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_trim.json' missing model for variant: 'storagedrawers:meta_framed_drawers_trim#facing=north,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_trim.json' missing model for variant: 'storagedrawers:meta_framed_drawers_trim#facing=north,half=true,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_trim.json' missing model for variant: 'storagedrawers:meta_framed_drawers_trim#facing=south,half=true,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_trim.json' missing model for variant: 'storagedrawers:meta_framed_drawers_trim#facing=west,half=true,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_trim.json' missing model for variant: 'storagedrawers:meta_framed_drawers_trim#facing=east,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_front.json' missing model for variant: 'storagedrawers:meta_framed_drawers_front#facing=north,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_front.json' missing model for variant: 'storagedrawers:meta_framed_drawers_front#facing=west,half=true,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_front.json' missing model for variant: 'storagedrawers:meta_framed_drawers_front#facing=south,half=true,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_front.json' missing model for variant: 'storagedrawers:meta_framed_drawers_front#facing=north,half=true,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_front.json' missing model for variant: 'storagedrawers:meta_framed_drawers_front#facing=south,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_front.json' missing model for variant: 'storagedrawers:meta_framed_drawers_front#facing=east,half=true,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_front.json' missing model for variant: 'storagedrawers:meta_framed_drawers_front#facing=west,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_front.json' missing model for variant: 'storagedrawers:meta_framed_drawers_front#facing=east,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_shading.json' missing model for variant: 'storagedrawers:meta_framed_drawers_shading#facing=north,half=false,slots=3' [29Jan2025 18:04:28.883] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_shading.json' missing model for variant: 'storagedrawers:meta_framed_drawers_shading#facing=north,half=true,slots=3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_shading.json' missing model for variant: 'storagedrawers:meta_framed_drawers_shading#facing=south,half=true,slots=3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_shading.json' missing model for variant: 'storagedrawers:meta_framed_drawers_shading#facing=south,half=false,slots=3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_shading.json' missing model for variant: 'storagedrawers:meta_framed_drawers_shading#facing=west,half=false,slots=3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_shading.json' missing model for variant: 'storagedrawers:meta_framed_drawers_shading#facing=east,half=true,slots=3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_shading.json' missing model for variant: 'storagedrawers:meta_framed_drawers_shading#facing=east,half=false,slots=3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_drawers_shading.json' missing model for variant: 'storagedrawers:meta_framed_drawers_shading#facing=west,half=true,slots=3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_side.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_side#facing=north,half=false,slots=open3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_side.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_side#facing=east,half=false,slots=open3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_side.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_side#facing=east,half=true,slots=open3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_side.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_side#facing=south,half=true,slots=open3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_side.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_side#facing=south,half=false,slots=open3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_side.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_side#facing=west,half=false,slots=open3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_side.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_side#facing=west,half=true,slots=open3' [29Jan2025 18:04:28.884] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_side.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_side#facing=north,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_trim.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_trim#facing=south,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_trim.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_trim#facing=east,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_trim.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_trim#facing=north,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_trim.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_trim#facing=north,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_trim.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_trim#facing=east,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_trim.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_trim#facing=west,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_trim.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_trim#facing=south,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_trim.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_trim#facing=west,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_front.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_front#facing=east,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_front.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_front#facing=west,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_front.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_front#facing=north,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_front.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_front#facing=south,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_front.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_front#facing=north,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_front.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_front#facing=east,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_front.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_front#facing=south,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_front.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_front#facing=west,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_shading.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_shading#facing=east,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_shading.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_shading#facing=west,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_shading.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_shading#facing=north,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_shading.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_shading#facing=north,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_shading.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_shading#facing=south,half=true,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_shading.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_shading#facing=east,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_shading.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_shading#facing=south,half=false,slots=open3' [29Jan2025 18:04:28.885] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Exception loading blockstate definition: 'storagedrawers:blockstates/meta_framed_compdrawers_2_shading.json' missing model for variant: 'storagedrawers:meta_framed_compdrawers_2_shading#facing=west,half=true,slots=open3' [29Jan2025 18:04:29.010] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:item/celeste2a' referenced from: stalwart_dungeons:tungsten_shield#inventory: java.io.FileNotFoundException: minecraft:models/item/celeste2a.json [29Jan2025 18:04:29.010] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:item/celeste2b' referenced from: stalwart_dungeons:tungsten_shield#inventory: java.io.FileNotFoundException: minecraft:models/item/celeste2b.json [29Jan2025 18:04:29.010] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:hammer' referenced from: stalwart_dungeons:tungsten_hammer#inventory: java.io.FileNotFoundException: minecraft:models/hammer.json [29Jan2025 18:04:29.010] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:awfulgun' referenced from: stalwart_dungeons:awful_gun#inventory: java.io.FileNotFoundException: minecraft:models/awfulgun.json [29Jan2025 18:04:29.066] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:windcaller' referenced from: undead_revamp2:wincallerfan#inventory: java.io.FileNotFoundException: minecraft:models/windcaller.json [29Jan2025 18:04:29.066] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:toothmace' referenced from: undead_revamp2:toothmace#inventory: java.io.FileNotFoundException: minecraft:models/toothmace.json [29Jan2025 18:04:29.066] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:perfume_bottle' referenced from: undead_revamp2:arapoholiaspray#inventory: java.io.FileNotFoundException: minecraft:models/perfume_bottle.json [29Jan2025 18:04:29.066] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:perfume_bottle_honey' referenced from: undead_revamp2:queenbeeperfume#inventory: java.io.FileNotFoundException: minecraft:models/perfume_bottle_honey.json [29Jan2025 18:04:29.066] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'minecraft:chainsword' referenced from: undead_revamp2:chainsword#inventory: java.io.FileNotFoundException: minecraft:models/chainsword.json [29Jan2025 18:04:29.202] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'valhelsia_structures:stripped_lapidified_jungle_post#inventory' referenced from: valhelsia_structures:stripped_lapidified_jungle_post#inventory: java.io.FileNotFoundException: valhelsia_structures:models/item/stripped_lapidified_jungle_post.json [29Jan2025 18:04:29.203] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'valhelsia_structures:cut_stripped_lapidified_jungle_post#inventory' referenced from: valhelsia_structures:cut_stripped_lapidified_jungle_post#inventory: java.io.FileNotFoundException: valhelsia_structures:models/item/cut_stripped_lapidified_jungle_post.json [29Jan2025 18:04:29.203] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'valhelsia_structures:bundled_stripped_lapidified_jungle_posts#inventory' referenced from: valhelsia_structures:bundled_stripped_lapidified_jungle_posts#inventory: java.io.FileNotFoundException: valhelsia_structures:models/item/bundled_stripped_lapidified_jungle_posts.json [29Jan2025 18:04:29.782] [Worker-ResourceReload-0/INFO] [com.cerbon.beb.util.BEBConstants/]: Found 178 enchanted-book CITs [29Jan2025 18:04:29.793] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'irons_spellbooks:item/keeper_flamberge_gui' referenced from: irons_spellbooks:item/keeper_flamberge_gui: java.io.FileNotFoundException: irons_spellbooks:models/item/keeper_flamberge_gui.json [29Jan2025 18:04:29.797] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'supplementaries:block/hanging_flower_pot_rope' referenced from: supplementaries:block/hanging_flower_pot_rope: java.io.FileNotFoundException: supplementaries:models/block/hanging_flower_pot_rope.json [29Jan2025 18:04:29.797] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'irons_spellbooks:item/magehunter_normal' referenced from: irons_spellbooks:item/magehunter_normal: java.io.FileNotFoundException: irons_spellbooks:models/item/magehunter_normal.json [29Jan2025 18:04:29.799] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'irons_spellbooks:item/truthseeker_normal' referenced from: irons_spellbooks:item/truthseeker_normal: java.io.FileNotFoundException: irons_spellbooks:models/item/truthseeker_normal.json [29Jan2025 18:04:29.800] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'irons_spellbooks:item/keeper_flamberge_normal' referenced from: irons_spellbooks:item/keeper_flamberge_normal: java.io.FileNotFoundException: irons_spellbooks:models/item/keeper_flamberge_normal.json [29Jan2025 18:04:29.800] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'irons_spellbooks:item/truthseeker_gui' referenced from: irons_spellbooks:item/truthseeker_gui: java.io.FileNotFoundException: irons_spellbooks:models/item/truthseeker_gui.json [29Jan2025 18:04:29.800] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelBakery/]: Unable to load model: 'irons_spellbooks:item/magehunter_gui' referenced from: irons_spellbooks:item/magehunter_gui: java.io.FileNotFoundException: irons_spellbooks:models/item/magehunter_gui.json [29Jan2025 18:04:30.593] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [goblintraders] Found status: BETA Current: 1.9.3 Target: 1.9.3 [29Jan2025 18:04:30.593] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [stoneworks] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/stoneworks.json [29Jan2025 18:04:30.624] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [stoneworks] Found status: UP_TO_DATE Current: 8.0.0 Target: null [29Jan2025 18:04:30.624] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [catalogue] Starting version check at https://mrcrayfish.com/modupdatejson?id=catalogue [29Jan2025 18:04:30.658] [Forge Version Check/WARN] [net.minecraftforge.fml.VersionChecker/]: Failed to process update information java.io.IOException: Connection reset     at jdk.internal.net.http.HttpClientImpl.send(HttpClientImpl.java:586) ~[java.net.http:?]     at jdk.internal.net.http.HttpClientFacade.send(HttpClientFacade.java:123) ~[java.net.http:?]     at net.minecraftforge.fml.VersionChecker$1.openUrlString(VersionChecker.java:139) ~[fmlcore-1.20.1-47.3.0.jar%23627!/:?]     at net.minecraftforge.fml.VersionChecker$1.process(VersionChecker.java:177) ~[fmlcore-1.20.1-47.3.0.jar%23627!/:?]     at java.lang.Iterable.forEach(Iterable.java:75) ~[?:?]     at net.minecraftforge.fml.VersionChecker$1.run(VersionChecker.java:114) ~[fmlcore-1.20.1-47.3.0.jar%23627!/:?] Caused by: java.net.SocketException: Connection reset     at sun.nio.ch.SocketChannelImpl.throwConnectionReset(SocketChannelImpl.java:394) ~[?:?]     at sun.nio.ch.SocketChannelImpl.read(SocketChannelImpl.java:426) ~[?:?]     at jdk.internal.net.http.SocketTube.readAvailable(SocketTube.java:1170) ~[java.net.http:?]     at jdk.internal.net.http.SocketTube$InternalReadPublisher$InternalReadSubscription.read(SocketTube.java:833) ~[java.net.http:?]     at jdk.internal.net.http.SocketTube$SocketFlowTask.run(SocketTube.java:181) ~[java.net.http:?]     at jdk.internal.net.http.common.SequentialScheduler$SchedulableTask.run(SequentialScheduler.java:230) ~[java.net.http:?]     at jdk.internal.net.http.common.SequentialScheduler.runOrSchedule(SequentialScheduler.java:303) ~[java.net.http:?]     at jdk.internal.net.http.common.SequentialScheduler.runOrSchedule(SequentialScheduler.java:256) ~[java.net.http:?]     at jdk.internal.net.http.SocketTube$InternalReadPublisher$InternalReadSubscription.signalReadable(SocketTube.java:774) ~[java.net.http:?]     at jdk.internal.net.http.SocketTube$InternalReadPublisher$ReadEvent.signalEvent(SocketTube.java:957) ~[java.net.http:?]     at jdk.internal.net.http.SocketTube$SocketFlowEvent.handle(SocketTube.java:253) ~[java.net.http:?]     at jdk.internal.net.http.HttpClientImpl$SelectorManager.handleEvent(HttpClientImpl.java:979) ~[java.net.http:?]     at jdk.internal.net.http.HttpClientImpl$SelectorManager.lambda$run$3(HttpClientImpl.java:934) ~[java.net.http:?]     at java.util.ArrayList.forEach(ArrayList.java:1511) ~[?:?]     at jdk.internal.net.http.HttpClientImpl$SelectorManager.run(HttpClientImpl.java:934) ~[java.net.http:?] [29Jan2025 18:04:30.659] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [puzzlesaccessapi] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/puzzlesaccessapi.json [29Jan2025 18:04:30.676] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [puzzlesaccessapi] Found status: BETA Current: 8.0.7 Target: null [29Jan2025 18:04:30.676] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [forge] Starting version check at https://files.minecraftforge.net/net/minecraftforge/forge/promotions_slim.json [29Jan2025 18:04:30.959] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [forge] Found status: UP_TO_DATE Current: 47.3.0 Target: null [29Jan2025 18:04:30.959] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwpaths] Starting version check at https://raw.githubusercontent.com/sketchmacaw/macawsmods/master/paths.json [29Jan2025 18:04:30.986] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwpaths] Found status: UP_TO_DATE Current: 1.0.5 Target: null [29Jan2025 18:04:30.986] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [flywheel] Starting version check at https://api.modrinth.com/updates/flywheel/forge_updates.json [29Jan2025 18:04:31.105] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [flywheel] Found status: BETA Current: 0.6.11-13 Target: null [29Jan2025 18:04:31.105] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [embeddium_extra] Starting version check at https://api.modrinth.com/updates/rubidium-extra/forge_updates.json [29Jan2025 18:04:32.232] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [embeddium_extra] Found status: UP_TO_DATE Current: 0.5.4.4+mc1.20.1-build.131 Target: null [29Jan2025 18:04:32.234] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [puzzleslib] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/puzzleslib.json [29Jan2025 18:04:32.264] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [puzzleslib] Found status: UP_TO_DATE Current: 8.1.25 Target: null [29Jan2025 18:04:32.264] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [aquamirae] Starting version check at https://raw.githubusercontent.com/ObscuriaLithium/Home/main/aquamirae/versions.json [29Jan2025 18:04:32.287] [Forge Version Check/WARN] [net.minecraftforge.fml.VersionChecker/]: Failed to process update information com.google.gson.JsonSyntaxException: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was NUMBER at line 1 column 4 path $     at com.google.gson.Gson.fromJson(Gson.java:1226) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.Gson.fromJson(Gson.java:1124) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.Gson.fromJson(Gson.java:1034) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.Gson.fromJson(Gson.java:969) ~[gson-2.10.jar%2388!/:?]     at net.minecraftforge.fml.VersionChecker$1.process(VersionChecker.java:183) ~[fmlcore-1.20.1-47.3.0.jar%23627!/:?]     at java.lang.Iterable.forEach(Iterable.java:75) ~[?:?]     at net.minecraftforge.fml.VersionChecker$1.run(VersionChecker.java:114) ~[fmlcore-1.20.1-47.3.0.jar%23627!/:?] Caused by: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was NUMBER at line 1 column 4 path $     at com.google.gson.stream.JsonReader.beginObject(JsonReader.java:393) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.internal.bind.MapTypeAdapterFactory$Adapter.read(MapTypeAdapterFactory.java:182) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.internal.bind.MapTypeAdapterFactory$Adapter.read(MapTypeAdapterFactory.java:144) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.Gson.fromJson(Gson.java:1214) ~[gson-2.10.jar%2388!/:?]     ... 6 more [29Jan2025 18:04:32.288] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [blue_skies] Starting version check at http://changelogs.moddinglegacy.com/blue-skies.json [29Jan2025 18:04:33.562] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [blue_skies] Found status: BETA Current: 1.3.31 Target: null [29Jan2025 18:04:33.562] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [illagerinvasion] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/illagerinvasion.json [29Jan2025 18:04:33.659] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [illagerinvasion] Found status: UP_TO_DATE Current: 8.0.6 Target: null [29Jan2025 18:04:33.659] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [controlling] Starting version check at https://updates.blamejared.com/get?n=controlling&gv=1.20.1 [29Jan2025 18:04:34.894] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [controlling] Found status: BETA Current: 12.0.2 Target: 12.0.2 [29Jan2025 18:04:34.894] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [prism] Starting version check at https://mc-update-check.anthonyhilyard.com/638111 [29Jan2025 18:04:35.150] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [prism] Found status: UP_TO_DATE Current: 1.0.5 Target: null [29Jan2025 18:04:35.150] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [bookshelf] Starting version check at https://updates.blamejared.com/get?n=bookshelf&gv=1.20.1 [29Jan2025 18:04:36.334] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [bookshelf] Found status: BETA Current: 20.2.13 Target: 20.2.13 [29Jan2025 18:04:36.334] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwdoors] Starting version check at https://raw.githubusercontent.com/sketchmacaw/macawsmods/master/doors.json [29Jan2025 18:04:36.389] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwdoors] Found status: UP_TO_DATE Current: 1.1.1 Target: null [29Jan2025 18:04:36.390] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [twilightforest] Starting version check at https://gh.tamaized.com/TeamTwilight/twilightforest/update.json [29Jan2025 18:04:37.685] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [twilightforest] Found status: AHEAD Current: 4.3.2508 Target: null [29Jan2025 18:04:37.685] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [diagonalblocks] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/diagonalblocks.json [29Jan2025 18:04:37.703] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [diagonalblocks] Found status: BETA Current: 8.0.6 Target: null [29Jan2025 18:04:37.703] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [equipmentcompare] Starting version check at https://mc-update-check.anthonyhilyard.com/502561 [29Jan2025 18:04:37.822] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [equipmentcompare] Found status: UP_TO_DATE Current: 1.3.7 Target: null [29Jan2025 18:04:37.822] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwbridges] Starting version check at https://raw.githubusercontent.com/sketchmacaw/macawsmods/master/bridges.json [29Jan2025 18:04:37.849] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwbridges] Found status: UP_TO_DATE Current: 3.0.0 Target: null [29Jan2025 18:04:37.849] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [supplementaries] Starting version check at https://raw.githubusercontent.com/MehVahdJukaar/Supplementaries/1.20/forge/update.json [29Jan2025 18:04:37.868] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [supplementaries] Found status: BETA Current: 1.20-3.1.11 Target: null [29Jan2025 18:04:37.868] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwfences] Starting version check at https://raw.githubusercontent.com/sketchmacaw/macawsmods/master/fences.json [29Jan2025 18:04:37.889] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [mcwfences] Found status: UP_TO_DATE Current: 1.1.2 Target: null [29Jan2025 18:04:37.889] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [refurbished_furniture] Starting version check at https://mrcrayfish.com/api/mod_update/forge/refurbished_furniture [29Jan2025 18:04:38.089] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [refurbished_furniture] Found status: BETA Current: 1.0.8 Target: 1.0.8 [29Jan2025 18:04:38.089] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [framework] Starting version check at https://mrcrayfish.com/modupdatejson?id=framework [29Jan2025 18:04:38.237] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [framework] Found status: BETA Current: 0.7.12 Target: 0.7.12 [29Jan2025 18:04:38.238] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [tradingpost] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/tradingpost.json [29Jan2025 18:04:38.254] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [tradingpost] Found status: UP_TO_DATE Current: 8.0.2 Target: null [29Jan2025 18:04:38.254] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [conjurer_illager] Starting version check at http://changelogs.moddinglegacy.com/conjurer-illager.json [29Jan2025 18:04:39.489] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [conjurer_illager] Found status: BETA Current: 1.1.6 Target: null [29Jan2025 18:04:39.489] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [obscure_api] Starting version check at https://raw.githubusercontent.com/ObscuriaLithium/Home/main/obscure_api/versions.json [29Jan2025 18:04:39.532] [Forge Version Check/WARN] [net.minecraftforge.fml.VersionChecker/]: Failed to process update information com.google.gson.JsonSyntaxException: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was NUMBER at line 1 column 4 path $     at com.google.gson.Gson.fromJson(Gson.java:1226) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.Gson.fromJson(Gson.java:1124) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.Gson.fromJson(Gson.java:1034) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.Gson.fromJson(Gson.java:969) ~[gson-2.10.jar%2388!/:?]     at net.minecraftforge.fml.VersionChecker$1.process(VersionChecker.java:183) ~[fmlcore-1.20.1-47.3.0.jar%23627!/:?]     at java.lang.Iterable.forEach(Iterable.java:75) ~[?:?]     at net.minecraftforge.fml.VersionChecker$1.run(VersionChecker.java:114) ~[fmlcore-1.20.1-47.3.0.jar%23627!/:?] Caused by: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was NUMBER at line 1 column 4 path $     at com.google.gson.stream.JsonReader.beginObject(JsonReader.java:393) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.internal.bind.MapTypeAdapterFactory$Adapter.read(MapTypeAdapterFactory.java:182) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.internal.bind.MapTypeAdapterFactory$Adapter.read(MapTypeAdapterFactory.java:144) ~[gson-2.10.jar%2388!/:?]     at com.google.gson.Gson.fromJson(Gson.java:1214) ~[gson-2.10.jar%2388!/:?]     ... 6 more [29Jan2025 18:04:39.532] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [clumps] Starting version check at https://updates.blamejared.com/get?n=clumps&gv=1.20.1 [29Jan2025 18:04:40.513] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model botania:potted_hydroangeas_motif#:     minecraft:textures/atlas/blocks.png:botania:block/hydroangeas_motif [29Jan2025 18:04:40.513] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model supplementaries:confetti_popper#inventory:     minecraft:textures/atlas/blocks.png:supplementaries:party_hat/party_hat [29Jan2025 18:04:40.513] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model botania:potted_nightshade_motif#:     minecraft:textures/atlas/blocks.png:botania:block/nightshade_motif [29Jan2025 18:04:40.513] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_3#facing=north:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.513] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_3#facing=south:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.513] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#inventory:     minecraft:textures/atlas/blocks.png:twilightforest:block/beanstalk_leaves [29Jan2025 18:04:40.513] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model bountiful:decree#inventory:     minecraft:textures/atlas/blocks.png:bountiful:item/decree [29Jan2025 18:04:40.513] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_4#facing=west:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.513] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model botania:potted_daybloom_motif#:     minecraft:textures/atlas/blocks.png:botania:block/daybloom_motif [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_2#facing=west:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#inventory:     minecraft:textures/atlas/blocks.png:twilightforest:block/thorn_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model cataclysm:coral_chunk#inventory:     minecraft:textures/atlas/blocks.png:cataclysm:item/coral_chunk_1 [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#age=6,layers=0:     minecraft:textures/atlas/blocks.png:twilightforest:block/beanstalk_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#age=6,layers=1:     minecraft:textures/atlas/blocks.png:twilightforest:block/beanstalk_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_2#facing=east:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#age=6,layers=4:     minecraft:textures/atlas/blocks.png:twilightforest:block/beanstalk_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#age=6,layers=5:     minecraft:textures/atlas/blocks.png:twilightforest:block/beanstalk_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#age=6,layers=2:     minecraft:textures/atlas/blocks.png:twilightforest:block/beanstalk_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#age=6,layers=3:     minecraft:textures/atlas/blocks.png:twilightforest:block/beanstalk_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_4#facing=east:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#age=10,layers=4:     minecraft:textures/atlas/blocks.png:twilightforest:block/thorn_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#age=6,layers=8:     minecraft:textures/atlas/blocks.png:immersive_weathering:block/twilightforest/heavy_beanstalk_leaf_pile [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#age=10,layers=3:     minecraft:textures/atlas/blocks.png:twilightforest:block/thorn_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#age=10,layers=6:     minecraft:textures/atlas/blocks.png:immersive_weathering:block/twilightforest/heavy_thorn_leaf_pile [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#age=6,layers=6:     minecraft:textures/atlas/blocks.png:immersive_weathering:block/twilightforest/heavy_beanstalk_leaf_pile [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#age=10,layers=5:     minecraft:textures/atlas/blocks.png:twilightforest:block/thorn_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/beanstalk_leaf_pile#age=6,layers=7:     minecraft:textures/atlas/blocks.png:immersive_weathering:block/twilightforest/heavy_beanstalk_leaf_pile [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#age=10,layers=8:     minecraft:textures/atlas/blocks.png:immersive_weathering:block/twilightforest/heavy_thorn_leaf_pile [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_4#facing=north:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#age=10,layers=7:     minecraft:textures/atlas/blocks.png:immersive_weathering:block/twilightforest/heavy_thorn_leaf_pile [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_2#facing=north:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_2#facing=south:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_4#facing=south:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model createaddition:small_light_connector#facing=west,mode=push,powered=true,rotation=x_clockwise_180,variant=default:     minecraft:textures/atlas/blocks.png:create:block/chute_block [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_3#facing=west:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model undead_revamp2:coffinbreadstage_3#facing=east:     minecraft:textures/atlas/blocks.png:undead_revamp2:block/ [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#age=10,layers=0:     minecraft:textures/atlas/blocks.png:twilightforest:block/thorn_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#age=10,layers=2:     minecraft:textures/atlas/blocks.png:twilightforest:block/thorn_leaves [29Jan2025 18:04:40.514] [Worker-ResourceReload-0/WARN] [net.minecraft.client.resources.model.ModelManager/]: Missing textures in model immersive_weathering:twilightforest/thorn_leaf_pile#age=10,layers=1:     minecraft:textures/atlas/blocks.png:twilightforest:block/thorn_leaves [29Jan2025 18:04:40.643] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [clumps] Found status: BETA Current: 12.0.0.4 Target: 12.0.0.4 [29Jan2025 18:04:40.643] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [journeymap] Starting version check at https://forge.curseupdate.com/32274/journeymap [29Jan2025 18:04:41.041] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [journeymap] Found status: UP_TO_DATE Current: 5.10.3 Target: null [29Jan2025 18:04:41.041] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [charginggadgets] Starting version check at https://raw.githubusercontent.com/Direwolf20-MC/ChargingGadgets/master/update.json [29Jan2025 18:04:41.073] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [charginggadgets] Found status: BETA Current: 1.11.0 Target: null [29Jan2025 18:04:41.073] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [genshinstrument] Starting version check at https://github.com/StavWasPlayZ/Genshin-Instruments/blob/master/public/updates.json?raw=true [29Jan2025 18:04:41.233] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:prismarine_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.239] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:red_sandstone_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.249] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:sandstone_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.250] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:stone_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.256] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:mud_brick_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.258] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:deepslate_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.261] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:blackstone_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.267] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:andesite_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.268] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:granite_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.269] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:quartz_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.305] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:deepslate_brick_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.309] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:nether_brick_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.316] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:diorite_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.324] [Worker-ResourceReload-0/WARN] [Diagonal Blocks/]: Block 'mcwfences:end_brick_grass_topped_wall' is using incompatible model 'net.minecraft.client.renderer.block.model.MultiVariant' and should be added to the 'diagonalfences:non_diagonal_fences' block tag. The model will not appear correctly under some circumstances! [29Jan2025 18:04:41.855] [Worker-ResourceReload-0/INFO] [Puzzles Lib/]: Modifying unbaked models took 1338ms [29Jan2025 18:04:42.506] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [genshinstrument] Found status: UP_TO_DATE Current: 4.0.2 Target: null [29Jan2025 18:04:42.506] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [evenmoreinstruments] Starting version check at https://github.com/StavWasPlayZ/Even-More-Instruments/blob/master/public/updates.json?raw=true [29Jan2025 18:04:43.283] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [evenmoreinstruments] Found status: AHEAD Current: 6.1.3 Target: null [29Jan2025 18:04:43.318] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [enchdesc] Starting version check at https://updates.blamejared.com/get?n=enchdesc&gv=1.20.1 [29Jan2025 18:04:43.828] [Render thread/INFO] [com.jozufozu.flywheel.backend.Backend/]: Loaded all shader sources. [29Jan2025 18:04:43.889] [Render thread/INFO] [ModdingLegacy/blue_skies/SkiesDataManager/]: Loaded 13 journal_lang [29Jan2025 18:04:44.086] [Worker-ResourceReload-6/INFO] [io.redspace.ironsspellbooks.IronsSpellbooks/]: Got IMC [] [29Jan2025 18:04:44.128] [Worker-ResourceReload-5/INFO] [AttributeFix/]: Loaded values for 61 compatible attributes. [29Jan2025 18:04:44.131] [Worker-ResourceReload-5/INFO] [AttributeFix/]: Loaded 61 values from config. [29Jan2025 18:04:44.136] [Worker-ResourceReload-5/INFO] [AttributeFix/]: Saving config file. 61 entries. [29Jan2025 18:04:44.137] [Worker-ResourceReload-5/INFO] [AttributeFix/]: Applying changes for 61 attributes. [29Jan2025 18:04:44.186] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at snownee.snow.compat.jade.JadeCompat [29Jan2025 18:04:44.205] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at xfacthd.framedblocks.common.compat.jade.FramedJadePlugin [29Jan2025 18:04:44.209] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at ovh.corail.tombstone.compatibility.IntegrationJade [29Jan2025 18:04:44.211] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at snownee.kiwi.customization.compat.jade.JadeCompat [29Jan2025 18:04:44.211] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at ht.treechop.compat.Jade [29Jan2025 18:04:44.213] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at twilightforest.compat.jade.JadeCompat [29Jan2025 18:04:44.214] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at net.mehvahdjukaar.supplementaries.integration.JadeCompat [29Jan2025 18:04:44.216] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at net.blay09.mods.waystones.compat.JadeIntegration [29Jan2025 18:04:44.218] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at snownee.jade.addon.vanilla.VanillaPlugin [29Jan2025 18:04:44.251] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at snownee.jade.addon.universal.UniversalPlugin [29Jan2025 18:04:44.258] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at snownee.jade.addon.core.CorePlugin [29Jan2025 18:04:44.263] [Worker-ResourceReload-4/INFO] [Jade/]: Start loading plugin at com.jaquadro.minecraft.storagedrawers.integration.Waila [29Jan2025 18:04:44.334] [Render thread/INFO] [defaultoptions/]: Loaded default options for keymappings [29Jan2025 18:04:44.549] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [enchdesc] Found status: BETA Current: 17.1.19 Target: 17.1.19 [29Jan2025 18:04:44.549] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [moonlight] Starting version check at https://raw.githubusercontent.com/MehVahdJukaar/Moonlight/multi-loader/forge/update.json [29Jan2025 18:04:44.577] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [moonlight] Found status: BETA Current: 1.20-2.13.55 Target: null [29Jan2025 18:04:44.577] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [barteringstation] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/barteringstation.json [29Jan2025 18:04:44.604] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [barteringstation] Found status: UP_TO_DATE Current: 8.0.0 Target: null [29Jan2025 18:04:44.604] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [iceberg] Starting version check at https://mc-update-check.anthonyhilyard.com/520110 [29Jan2025 18:04:44.862] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [iceberg] Found status: UP_TO_DATE Current: 1.1.25 Target: null [29Jan2025 18:04:44.862] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [legendarytooltips] Starting version check at https://mc-update-check.anthonyhilyard.com/532127 [29Jan2025 18:04:44.943] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [legendarytooltips] Found status: UP_TO_DATE Current: 1.4.5 Target: null [29Jan2025 18:04:44.943] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [diagonalfences] Starting version check at https://raw.githubusercontent.com/Fuzss/modresources/main/update/diagonalfences.json [29Jan2025 18:04:44.963] [Forge Version Check/INFO] [net.minecraftforge.fml.VersionChecker/]: [diagonalfences] Found status: UP_TO_DATE Current: 8.1.5 Target: null [29Jan2025 18:04:45.539] [Render thread/WARN] [net.minecraft.client.sounds.SoundEngine/]: Missing sound for event: minecraft:item.goat_horn.play [29Jan2025 18:04:45.540] [Render thread/WARN] [net.minecraft.client.sounds.SoundEngine/]: Missing sound for event: minecraft:entity.goat.screaming.horn_break [29Jan2025 18:04:45.541] [Render thread/WARN] [net.minecraft.client.sounds.SoundEngine/]: Missing sound for event: cataclysm:ignisshieldbreak [29Jan2025 18:04:45.642] [Render thread/INFO] [com.mojang.blaze3d.audio.Library/]: OpenAL initialized on device ACP/ACP3X/ACP6x Audio Coprocessor Speaker [29Jan2025 18:04:45.642] [Render thread/INFO] [Sound Physics - General/]: Initializing Sound Physics [29Jan2025 18:04:45.642] [Render thread/INFO] [Sound Physics - General/]: EFX Extension recognized [29Jan2025 18:04:45.642] [Render thread/INFO] [Sound Physics - General/]: Max auxiliary sends: 4 [29Jan2025 18:04:45.648] [Render thread/INFO] [Sound Physics - General/]: Aux slot 1 created [29Jan2025 18:04:45.648] [Render thread/INFO] [Sound Physics - General/]: Aux slot 2 created [29Jan2025 18:04:45.648] [Render thread/INFO] [Sound Physics - General/]: Aux slot 3 created [29Jan2025 18:04:45.648] [Render thread/INFO] [Sound Physics - General/]: Aux slot 4 created [29Jan2025 18:04:45.661] [Render thread/INFO] [Sound Physics - General/]: EFX ready [29Jan2025 18:04:45.663] [Render thread/INFO] [net.minecraft.client.sounds.SoundEngine/SOUNDS]: Sound engine started [29Jan2025 18:04:45.665] [Render thread/INFO] [net.minecraft.client.sounds.SoundEngine/]: [FANCYMENU] Reloading AudioResourceHandler after Minecraft SoundEngine reload.. [29Jan2025 18:04:45.894] [Render thread/INFO] [com.teamabnormals.blueprint.core.Blueprint/]: Endimation Loader has loaded 1 endimations [29Jan2025 18:04:45.895] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 8192x4096x4 minecraft:textures/atlas/blocks.png-atlas [29Jan2025 18:04:46.405] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 1024x512x4 minecraft:textures/atlas/signs.png-atlas [29Jan2025 18:04:46.410] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 1024x1024x4 minecraft:textures/atlas/banner_patterns.png-atlas [29Jan2025 18:04:46.416] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 2048x2048x4 minecraft:textures/atlas/shield_patterns.png-atlas [29Jan2025 18:04:46.439] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 64x64x4 refurbished_furniture:textures/atlas/tv_channels.png-atlas [29Jan2025 18:04:46.441] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 4096x2048x4 minecraft:textures/atlas/armor_trims.png-atlas [29Jan2025 18:04:46.478] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 1024x512x4 minecraft:textures/atlas/chest.png-atlas [29Jan2025 18:04:46.481] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 128x64x4 minecraft:textures/atlas/decorated_pot.png-atlas [29Jan2025 18:04:46.482] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 512x256x4 minecraft:textures/atlas/beds.png-atlas [29Jan2025 18:04:46.484] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 512x256x4 minecraft:textures/atlas/shulker_boxes.png-atlas [29Jan2025 18:04:47.098] [Render thread/WARN] [mixin/]: @Final field f_234864_:Lnet/minecraft/client/renderer/ItemInHandRenderer; in weaponmaster_ydm.mixins.json:PlayerItemInHandLayerMixin should be final [29Jan2025 18:04:47.193] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to minecraft:creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to mowziesmobs:umvuthana_follower_raptor, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to mowziesmobs:umvuthana_follower_player, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to mowziesmobs:umvuthana_crane_player, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to mowziesmobs:umvuthana, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to mowziesmobs:umvuthana_raptor, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to mowziesmobs:umvuthana_crane, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to mowziesmobs:umvuthi, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to graveyard:reaper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to graveyard:falling_corpse, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to graveyard:ghoul, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to graveyard:revenant, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to graveyard:wraith, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to graveyard:nightmare, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to graveyard:ghouling, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to graveyard:lich, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to graveyard:nameless_hanged, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:bomber, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thespectre, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thespitter, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thehorrors, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thehorrorsdecoys, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.194] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thesmoker, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:the_moonflower, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:sucker, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thehunter, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thebeartamer, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thewolf, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:axestrom, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:theordure, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:crackleball, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:theswarmer, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thebidy, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:invisiblebidy, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thebidyupside, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thepregnant, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:therod, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thegliter, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:theheavy, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:clogger, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:invisiclogger, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:propball_1, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:deadclogger, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:theimmortal, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:invisiimmortal, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:theskeeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thesomnolence, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thelurker, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:thedungeon, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to undead_revamp2:bigsucker, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.195] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to aquamirae:maze_rose, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to aquamirae:poisoned_chakra, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:duality_damselfish, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:mossthorn, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:ripper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:spindlefish, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:rhino_tetra, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:drooping_gourami, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:sailor_barb, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:sea_spider, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:triple_twirl_pleco, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:aero_mono, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:clownthorn_shark, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:roughback_guitarfish, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:sea_pancake, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:pinkfin, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:brick_snail, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:zebra_cornetfish, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:tiger_puffer, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:blackcap_snail, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:sneep_snorp, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:deep_crawler, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:wizard_jelly, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:porcupine_lobsta, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:trumpet_squid, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:freshwater_mantis, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:bark_angelfish, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:shockcat, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:muddytop, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:kalappa, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:skipper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.196] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:stout_bichir, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:beaked_herring, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:picklefish, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:blindsailfin, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:demon_herring, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:amber_goby, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:hatchet_fish, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:copperflame, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:celestial, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:gnasher, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:prawn, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:squoddle, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:sea_mosquito, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:forkfish, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:spoon_shark, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:coral_skrimp, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:circus, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:blizzardfin, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:snowflaketail, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:eyelash, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:jungleshark, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:crimsonshell, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:volt_angler, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to unusualfishmod:tribble, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.197] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to cave_dweller:cave_dweller, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to iceandfire:dragon_skull, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to iceandfire:stone_statue, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to iceandfire:mob_skull, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to aqupdcaracal:caracal, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to twilightforest:plateau_boss, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to twilightforest:roving_cube, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_aggressive, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurkertpose, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_stalking, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_invisible, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:spookyambienceentity, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_seen_angressive, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_faker_aggro, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_faker, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_faker_watcher, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:void_gateway, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_backturned, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_shadow_eyes, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_shadow, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_unprovoked, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_runaway, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.198] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_runtrue, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_hider, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_shapeshifter, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_stare, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnightlurker_ne, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_watcher, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:void_hands, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:invisible_footsteps, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:invisible_shadow, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:invisible_static, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:invisible_lurker_footsteps, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:invisible_cave_sounds, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_lurker_creep, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:midnight_phantom_head, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to midnightlurker:invisible_animal_killer, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to eyesinthedarkness:eyes, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to bosses_of_mass_destruction:lich, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to bosses_of_mass_destruction:obsidilith, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to bosses_of_mass_destruction:gauntlet, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to bosses_of_mass_destruction:void_blossom, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:wisp, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:spectral_hammer, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:debug_wizard, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:pyromancer, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.199] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:cryomancer, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:necromancer, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:summoned_zombie, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:summoned_skeleton, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:dead_king, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:dead_king_corpse, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:archevoker, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:citadel_keeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:sculk_tentacle, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:root, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:priest, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:firefly_swarm, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:apothecarist, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to irons_spellbooks:cultist, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:jungle_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:bamboo_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:desert_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:badlands_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:hills_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:savannah_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:mushroom_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:swamp_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:dripstone_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.200] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:cave_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.201] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:dark_oak_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.201] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:spruce_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.201] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:beach_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.201] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:snowy_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.201] [Render thread/WARN] [com.github.alexthe666.alexsmobs.AlexsMobs/]: Could not apply rainbow color layer to creeperoverhaul:ocean_creeper, has custom renderer that is not LivingEntityRenderer. [29Jan2025 18:04:47.207] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.minecraft.creeper [29Jan2025 18:04:47.207] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.mowziesmobs.umvuthana_follower_raptor [29Jan2025 18:04:47.207] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.mowziesmobs.umvuthana_follower_player [29Jan2025 18:04:47.207] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.mowziesmobs.umvuthana_crane_player [29Jan2025 18:04:47.207] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.mowziesmobs.umvuthana [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.mowziesmobs.umvuthana_raptor [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.mowziesmobs.umvuthana_crane [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.mowziesmobs.umvuthi [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.graveyard.reaper [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.graveyard.falling_corpse [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.graveyard.ghoul [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.graveyard.revenant [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.graveyard.wraith [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.graveyard.nightmare [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.graveyard.ghouling [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.graveyard.lich [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.graveyard.nameless_hanged [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.bomber [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thespectre [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thespitter [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thehorrors [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thehorrorsdecoys [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thesmoker [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.the_moonflower [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.sucker [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thehunter [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thebeartamer [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thewolf [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.axestrom [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.theordure [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.crackleball [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.theswarmer [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thebidy [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.invisiblebidy [29Jan2025 18:04:47.208] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thebidyupside [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thepregnant [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.therod [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thegliter [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.theheavy [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.clogger [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.invisiclogger [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.propball_1 [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.deadclogger [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.theimmortal [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.invisiimmortal [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.theskeeper [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thesomnolence [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thelurker [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.thedungeon [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.undead_revamp2.bigsucker [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.aquamirae.maze_rose [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.aquamirae.poisoned_chakra [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.duality_damselfish [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.mossthorn [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.ripper [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.spindlefish [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.rhino_tetra [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.drooping_gourami [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.sailor_barb [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.sea_spider [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.triple_twirl_pleco [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.aero_mono [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.clownthorn_shark [29Jan2025 18:04:47.209] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.roughback_guitarfish [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.sea_pancake [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.pinkfin [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.brick_snail [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.zebra_cornetfish [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.tiger_puffer [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.blackcap_snail [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.sneep_snorp [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.deep_crawler [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.wizard_jelly [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.porcupine_lobsta [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.trumpet_squid [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.freshwater_mantis [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.bark_angelfish [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.shockcat [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.muddytop [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.kalappa [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.skipper [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.stout_bichir [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.beaked_herring [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.picklefish [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.blindsailfin [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.demon_herring [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.amber_goby [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.hatchet_fish [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.copperflame [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.celestial [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.gnasher [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.prawn [29Jan2025 18:04:47.210] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.squoddle [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.sea_mosquito [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.forkfish [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.spoon_shark [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.coral_skrimp [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.circus [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.blizzardfin [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.snowflaketail [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.eyelash [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.jungleshark [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.crimsonshell [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.volt_angler [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.unusualfishmod.tribble [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.cave_dweller.cave_dweller [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.iceandfire.dragon_skull [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.iceandfire.stone_statue [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.iceandfire.mob_skull [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.aqupdcaracal.caracal [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.twilightforest.plateau_boss [29Jan2025 18:04:47.211] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.twilightforest.roving_cube [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_aggressive [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurkertpose [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_stalking [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_invisible [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.spookyambienceentity [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_seen_angressive [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_faker_aggro [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_faker [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_faker_watcher [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.void_gateway [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_backturned [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_shadow_eyes [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_shadow [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_unprovoked [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_runaway [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_runtrue [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_hider [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_shapeshifter [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_stare [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnightlurker_ne [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_watcher [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.void_hands [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.invisible_footsteps [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.invisible_shadow [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.invisible_static [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.invisible_lurker_footsteps [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.invisible_cave_sounds [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_lurker_creep [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.midnight_phantom_head [29Jan2025 18:04:47.212] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.midnightlurker.invisible_animal_killer [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.eyesinthedarkness.eyes [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.bosses_of_mass_destruction.lich [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.bosses_of_mass_destruction.obsidilith [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.bosses_of_mass_destruction.gauntlet [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.bosses_of_mass_destruction.void_blossom [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.wisp [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.spectral_hammer [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.debug_wizard [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.pyromancer [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.cryomancer [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.necromancer [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.summoned_zombie [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.summoned_skeleton [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.dead_king [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.dead_king_corpse [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.archevoker [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.citadel_keeper [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.sculk_tentacle [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.root [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.priest [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.firefly_swarm [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.apothecarist [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.irons_spellbooks.cultist [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.jungle_creeper [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.bamboo_creeper [29Jan2025 18:04:47.213] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.desert_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.badlands_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.hills_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.savannah_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.mushroom_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.swamp_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.dripstone_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.cave_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.dark_oak_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.spruce_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.beach_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.snowy_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add slimed layer to entity: entity.creeperoverhaul.ocean_creeper [29Jan2025 18:04:47.214] [Render thread/WARN] [Supplementaries/]: Failed to add party hat layer to creeper. This bug was caused by forge! Use neo [29Jan2025 18:04:47.342] [Render thread/WARN] [net.minecraft.client.renderer.ShaderInstance/]: Shader rendertype_entity_translucent_emissive could not find sampler named Sampler2 in the specified shader program. [29Jan2025 18:04:47.396] [Render thread/WARN] [net.minecraft.client.renderer.ShaderInstance/]: Shader botania:pylon could not find uniform named Light0_Direction in the specified shader program. [29Jan2025 18:04:47.396] [Render thread/WARN] [net.minecraft.client.renderer.ShaderInstance/]: Shader botania:pylon could not find uniform named Light1_Direction in the specified shader program. [29Jan2025 18:04:47.398] [Render thread/WARN] [net.minecraft.client.renderer.ShaderInstance/]: Shader botania:film_grain_particle could not find sampler named Sampler2 in the specified shader program. [29Jan2025 18:04:47.415] [Render thread/WARN] [net.minecraft.client.renderer.ShaderInstance/]: Shader supplementaries:static_noise could not find sampler named Sampler1 in the specified shader program. [29Jan2025 18:04:47.429] [Render thread/WARN] [net.minecraft.client.renderer.ShaderInstance/]: Shader moonlight:text_alpha_color could not find sampler named Sampler2 in the specified shader program. [29Jan2025 18:04:47.429] [Render thread/WARN] [net.minecraft.client.renderer.ShaderInstance/]: Shader moonlight:text_alpha_color could not find uniform named IViewRotMat in the specified shader program. [29Jan2025 18:04:47.429] [Render thread/WARN] [net.minecraft.client.renderer.ShaderInstance/]: Shader moonlight:text_alpha_color could not find uniform named FogShape in the specified shader program. [29Jan2025 18:04:47.469] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 1024x1024x0 minecraft:textures/atlas/particles.png-atlas [29Jan2025 18:04:47.480] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 512x512x0 minecraft:textures/atlas/paintings.png-atlas [29Jan2025 18:04:47.483] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 2048x1024x0 minecraft:textures/atlas/mob_effects.png-atlas [29Jan2025 18:04:47.670] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 256x256x0 jei:textures/atlas/gui.png-atlas [29Jan2025 18:04:47.673] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 1024x1024x0 fallingleaves:leaves-atlas [29Jan2025 18:04:47.685] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 1024x1024x0 fallingleaves:leaves-atlas [29Jan2025 18:04:47.713] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 256x128x0 twilightforest:textures/atlas/magic_paintings.png-atlas [29Jan2025 18:04:47.718] [Render thread/INFO] [patchouli/]: BookContentResourceListenerLoader preloaded 521 jsons [29Jan2025 18:04:48.918] [Render thread/INFO] [com.simibubi.create.Create/]: Loaded 51 train hat configurations. [29Jan2025 18:04:48.918] [Render thread/INFO] [com.teamabnormals.blueprint.core.Blueprint/]: Blueprint Splash Manager has loaded 0 splashes [29Jan2025 18:04:48.920] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded and cached instrument style from genshinstrument:textures/gui/genshinstrument/instrument/windsong_lyre/instrument_style.json for genshinstrument:windsong_lyre [29Jan2025 18:04:48.920] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded and cached instrument style from genshinstrument:textures/gui/genshinstrument/instrument/vintage_lyre/instrument_style.json for genshinstrument:vintage_lyre [29Jan2025 18:04:48.920] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded and cached instrument style from genshinstrument:textures/gui/genshinstrument/instrument/floral_zither/instrument_style.json for genshinstrument:floral_zither [29Jan2025 18:04:48.920] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded and cached instrument style from genshinstrument:textures/gui/genshinstrument/instrument/glorious_drum/instrument_style.json for genshinstrument:glorious_drum [29Jan2025 18:04:48.920] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded and cached instrument style from evenmoreinstruments:textures/gui/genshinstrument/instrument/keyboard/instrument_style.json for evenmoreinstruments:keyboard [29Jan2025 18:04:48.920] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded and cached instrument style from genshinstrument:textures/gui/genshinstrument/instrument/nightwind_horn/instrument_style.json for genshinstrument:nightwind_horn [29Jan2025 18:04:48.920] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded and cached instrument style from evenmoreinstruments:textures/gui/genshinstrument/instrument/violin/instrument_style.json for evenmoreinstruments:violin [29Jan2025 18:04:48.921] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded instrument style from already cached genshinstrument:textures/gui/genshinstrument/instrument/nightwind_horn/instrument_style.json for evenmoreinstruments:trombone [29Jan2025 18:04:48.921] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded and cached instrument style from evenmoreinstruments:textures/gui/genshinstrument/instrument/guitar/instrument_style.json for evenmoreinstruments:guitar [29Jan2025 18:04:48.921] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded and cached instrument style from evenmoreinstruments:textures/gui/genshinstrument/instrument/pipa/instrument_style.json for evenmoreinstruments:pipa [29Jan2025 18:04:48.921] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded instrument style from already cached evenmoreinstruments:textures/gui/genshinstrument/instrument/pipa/instrument_style.json for evenmoreinstruments:shamisen [29Jan2025 18:04:48.921] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded instrument style from already cached evenmoreinstruments:textures/gui/genshinstrument/instrument/pipa/instrument_style.json for evenmoreinstruments:koto [29Jan2025 18:04:48.921] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded instrument style from already cached genshinstrument:textures/gui/genshinstrument/instrument/nightwind_horn/instrument_style.json for evenmoreinstruments:saxophone [29Jan2025 18:04:48.921] [Render thread/INFO] [com.cstav.genshinstrument.client.gui.screen.instrument.partial.InstrumentThemeLoader/]: Loaded instrument style from already cached genshinstrument:textures/gui/genshinstrument/instrument/floral_zither/instrument_style.json for evenmoreinstruments:note_block_instrument [29Jan2025 18:04:48.926] [Render thread/INFO] [net.minecraft.client.renderer.texture.TextureAtlas/]: Created: 256x256x0 moonlight:textures/atlas/map_markers.png-atlas [29Jan2025 18:04:48.939] [Render thread/INFO] [de.keksuccino.fancymenu.util.resource.ResourceHandlers/]: [FANCYMENU] Reloading resources.. [29Jan2025 18:04:48.942] [Render thread/INFO] [de.keksuccino.fancymenu.util.resource.preload.ResourcePreLoader/]: [FANCYMENU] Pre-loading resources.. [29Jan2025 18:04:48.949] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] Minecraft resource reload: FINISHED [29Jan2025 18:04:48.950] [Render thread/INFO] [snownee.kiwi.Kiwi/]: Canceling Microsoft telemetry [29Jan2025 18:04:48.960] [Render thread/INFO] [com.cupboard.Cupboard/]: Loaded config for: chunksending.json [29Jan2025 18:04:48.960] [Render thread/INFO] [com.cupboard.Cupboard/]: Loaded config for: smoothchunk.json [29Jan2025 18:04:48.961] [Render thread/INFO] [com.cupboard.Cupboard/]: Loaded config for: clickadv.json [29Jan2025 18:04:48.993] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] ScreenCustomizationLayer registered: title_screen [29Jan2025 18:04:49.007] [Render thread/INFO] [AutoMessage/]: This line is printed by an example mod mixin from Forge! [29Jan2025 18:04:49.007] [Render thread/INFO] [AutoMessage/]: MC Version: release [29Jan2025 18:04:49.054] [Render thread/INFO] [Oculus/]: Creating pipeline for dimension NamespacedId{namespace='minecraft', name='overworld'} [29Jan2025 18:04:49.899] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.900] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.900] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.901] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.902] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.903] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.903] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.903] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.904] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.904] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.906] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.906] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.908] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.908] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.910] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.910] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.911] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.912] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.914] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.915] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.916] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.917] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.919] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.921] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.922] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.923] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.924] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.925] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.925] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.926] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.926] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.926] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.926] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.927] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.927] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.927] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.927] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.928] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.928] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.928] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:49.929] [Render thread/WARN] [Oculus/]: Ignoring ConstDirective { INT voxelDistance = 32; } because it is of the wrong type, a type of float is expected. [29Jan2025 18:04:50.019] [Render thread/INFO] [Oculus/]: Starting custom uniform resolving [29Jan2025 18:04:53.955] [Render thread/WARN] [Oculus/]: Error while parsing the block ID map entry for "block.10004": [29Jan2025 18:04:53.956] [Render thread/WARN] [Oculus/]: - The block farmersdelight:rice_panicles has no property with the name half, ignoring! [29Jan2025 18:04:53.956] [Render thread/WARN] [Oculus/]: Error while parsing the block ID map entry for "block.10003": [29Jan2025 18:04:53.956] [Render thread/WARN] [Oculus/]: - The block farmersdelight:rice has no property with the name half, ignoring! [29Jan2025 18:04:54.003] [Render thread/WARN] [Embeddium-MixinTaintDetector/]: Mod(s) [oculus] are modifying Embeddium class me.jellysquid.mods.sodium.client.gl.device.GLRenderDevice$ImmediateDrawCommandList, which may cause instability. [29Jan2025 18:04:54.035] [Render thread/INFO] [AutoMessage/]: This line is printed by an example mod mixin from Forge! [29Jan2025 18:04:54.035] [Render thread/INFO] [AutoMessage/]: MC Version: release [29Jan2025 18:04:54.038] [Render thread/INFO] [AutoMessage/]: This line is printed by an example mod mixin from Forge! [29Jan2025 18:04:54.038] [Render thread/INFO] [AutoMessage/]: MC Version: release [29Jan2025 18:04:54.090] [Render thread/INFO] [AutoMessage/]: This line is printed by an example mod mixin from Forge! [29Jan2025 18:04:54.090] [Render thread/INFO] [AutoMessage/]: MC Version: release [29Jan2025 18:04:54.091] [Render thread/INFO] [AutoMessage/]: This line is printed by an example mod mixin from Forge! [29Jan2025 18:04:54.091] [Render thread/INFO] [AutoMessage/]: MC Version: release [29Jan2025 18:04:54.092] [Render thread/INFO] [AutoMessage/]: This line is printed by an example mod mixin from Forge! [29Jan2025 18:04:54.092] [Render thread/INFO] [AutoMessage/]: MC Version: release [29Jan2025 18:04:54.423] [Render thread/INFO] [ambientsounds/]: Loaded AmbientEngine 'basic' v3.1.1. 11 dimension(s), 11 features, 11 blockgroups, 2 sound collections, 37 regions, 58 sounds, 11 sound categories, 5 solids and 2 biome types [29Jan2025 18:04:54.559] [Render thread/WARN] [Embeddium-MixinTaintDetector/]: Mod(s) [oculus, embeddium_extra] are modifying Embeddium class me.jellysquid.mods.sodium.client.render.vertex.serializers.VertexSerializerRegistryImpl, which may cause instability. [29Jan2025 18:04:54.593] [Render thread/WARN] [ModernFix/]: Game took 96.861 seconds to start [29Jan2025 18:04:57.836] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] ScreenCustomizationLayer registered: safety_screen [29Jan2025 18:04:59.652] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] ScreenCustomizationLayer registered: join_multiplayer_screen [29Jan2025 18:05:02.022] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] ScreenCustomizationLayer registered: edit_server_screen [29Jan2025 18:05:29.825] [Netty Client IO #0/INFO] [net.minecraftforge.client.ForgeHooksClient/CLIENTHOOKS]: Client has mods that are missing on server: [ender_pack, searchables, dragonseeker, appleskin, dynamiclights, fastipping, myserveriscompatible, moonlight, fancymenu, justzoom, badoptimizations, loadmyresources] [29Jan2025 18:05:30.216] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] ScreenCustomizationLayer registered: com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.BHOrderScreen [29Jan2025 18:05:30.221] [ForkJoinPool.commonPool-worker-2/INFO] [com.bisecthosting.mods.bhmenu.ModRoot/]: Loading available jars [29Jan2025 18:05:30.222] [ForkJoinPool.commonPool-worker-3/INFO] [com.bisecthosting.mods.bhmenu.ModRoot/]: Loading plans [29Jan2025 18:05:30.223] [ForkJoinPool.commonPool-worker-4/INFO] [com.bisecthosting.mods.bhmenu.ModRoot/]: Loading ram recommendations [29Jan2025 18:05:30.531] [ForkJoinPool.commonPool-worker-3/INFO] [com.bisecthosting.mods.bhmenu.ModRoot/]: Found 20 plans [29Jan2025 18:05:31.419] [ForkJoinPool.commonPool-worker-2/WARN] [com.bisecthosting.mods.bhmenu.ModRoot/]: Failed to download icon for Purpur using https://www.bisecthosting.com/images/modpackicons/Purpur.png [29Jan2025 18:05:31.553] [ForkJoinPool.commonPool-worker-2/WARN] [com.bisecthosting.mods.bhmenu.ModRoot/]: Failed to download icon for Paper/Spigot Forks using https://www.bisecthosting.com/images/modpackicons/PaperSpigotForks.png [29Jan2025 18:05:32.063] [ForkJoinPool.commonPool-worker-2/WARN] [com.bisecthosting.mods.bhmenu.ModRoot/]: Failed to download icon for SpongeVanilla using https://www.bisecthosting.com/images/modpackicons/SpongeVanilla.png [29Jan2025 18:05:32.096] [ForkJoinPool.commonPool-worker-4/INFO] [com.bisecthosting.mods.bhmenu.ModRoot/]: Found recommendations for 4239 total jars [29Jan2025 18:05:32.346] [ForkJoinPool.commonPool-worker-2/WARN] [com.bisecthosting.mods.bhmenu.ModRoot/]: Failed to download icon for Network using https://www.bisecthosting.com/images/modpackicons/Network.png [29Jan2025 18:05:32.599] [ForkJoinPool.commonPool-worker-2/WARN] [com.bisecthosting.mods.bhmenu.ModRoot/]: Failed to download icon for Forge Latest using https://www.bisecthosting.com/images/modpackicons/ForgeLatest.png [29Jan2025 18:05:32.858] [ForkJoinPool.commonPool-worker-2/WARN] [com.bisecthosting.mods.bhmenu.ModRoot/]: Failed to download icon for Forge Recommended using https://www.bisecthosting.com/images/modpackicons/ForgeRecommended.png [29Jan2025 18:05:33.268] [ForkJoinPool.commonPool-worker-2/WARN] [com.bisecthosting.mods.bhmenu.ModRoot/]: Failed to download icon for NeoForge using https://www.bisecthosting.com/images/modpackicons/NeoForge.png [29Jan2025 18:05:33.562] [ForkJoinPool.commonPool-worker-2/WARN] [com.bisecthosting.mods.bhmenu.ModRoot/]: Failed to download icon for Modded with Plugins using https://www.bisecthosting.com/images/modpackicons/ModdedwithPlugins.png [29Jan2025 18:05:33.779] [ForkJoinPool.commonPool-worker-2/WARN] [com.bisecthosting.mods.bhmenu.ModRoot/]: Failed to download icon for Misc using https://www.bisecthosting.com/images/modpackicons/Misc.png [29Jan2025 18:05:33.784] [ForkJoinPool.commonPool-worker-2/INFO] [com.bisecthosting.mods.bhmenu.ModRoot/]: Found 2022 jars [29Jan2025 18:05:33.787] [ForkJoinPool.commonPool-worker-2/ERROR] [net.minecraftforge.eventbus.EventSubclassTransformer/EVENTBUS]: Could not find parent com/bisecthosting/mods/bhmenu/modules/servercreatorbanner/screens/steps/ProcessStep for class com/bisecthosting/mods/bhmenu/modules/servercreatorbanner/screens/steps/SelectJarStep in classloader jdk.internal.loader.ClassLoaders$AppClassLoader@42110406 on thread Thread[ForkJoinPool.commonPool-worker-2,5,main] [29Jan2025 18:05:33.787] [ForkJoinPool.commonPool-worker-2/ERROR] [net.minecraftforge.eventbus.EventSubclassTransformer/EVENTBUS]: An error occurred building event handler java.lang.ClassNotFoundException: com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.steps.ProcessStep     at jdk.internal.loader.BuiltinClassLoader.loadClass(BuiltinClassLoader.java:641) ~[?:?]     at jdk.internal.loader.ClassLoaders$AppClassLoader.loadClass(ClassLoaders.java:188) ~[?:?]     at java.lang.ClassLoader.loadClass(ClassLoader.java:525) ~[?:?]     at net.minecraftforge.eventbus.EventSubclassTransformer.buildEvents(EventSubclassTransformer.java:97) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.EventSubclassTransformer.transform(EventSubclassTransformer.java:48) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.EventBusEngine.processClass(EventBusEngine.java:26) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.service.ModLauncherService.processClassWithFlags(ModLauncherService.java:32) ~[eventbus-6.0.5.jar:6.0.5+6.0.5+master.eb8e549b]     at cpw.mods.modlauncher.LaunchPluginHandler.offerClassNodeToPlugins(LaunchPluginHandler.java:88) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:120) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.TransformingClassLoader.maybeTransformClassBytes(TransformingClassLoader.java:50) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.cl.ModuleClassLoader.readerToClass(ModuleClassLoader.java:113) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.lambda$findClass$15(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadFromModule(ModuleClassLoader.java:229) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.findClass(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadClass(ModuleClassLoader.java:135) ~[securejarhandler-2.1.10.jar:?]     at java.lang.ClassLoader.loadClass(ClassLoader.java:525) ~[?:?]     at com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.BHOrderScreen.lambda$tick$0(BHOrderScreen.java:55) ~[?:?]     at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:863) ~[?:?]     at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:841) ~[?:?]     at java.util.concurrent.CompletableFuture.postComplete(CompletableFuture.java:510) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.run(CompletableFuture.java:1773) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.exec(CompletableFuture.java:1760) ~[?:?]     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) ~[?:?]     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?]     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] [29Jan2025 18:05:33.804] [ForkJoinPool.commonPool-worker-2/ERROR] [net.minecraftforge.eventbus.EventSubclassTransformer/EVENTBUS]: Could not find parent com/bisecthosting/mods/bhmenu/modules/servercreatorbanner/screens/steps/ProcessStep for class com/bisecthosting/mods/bhmenu/modules/servercreatorbanner/screens/steps/RecommendJarStep in classloader jdk.internal.loader.ClassLoaders$AppClassLoader@42110406 on thread Thread[ForkJoinPool.commonPool-worker-2,5,main] [29Jan2025 18:05:33.805] [ForkJoinPool.commonPool-worker-2/ERROR] [net.minecraftforge.eventbus.EventSubclassTransformer/EVENTBUS]: An error occurred building event handler java.lang.ClassNotFoundException: com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.steps.ProcessStep     at jdk.internal.loader.BuiltinClassLoader.loadClass(BuiltinClassLoader.java:641) ~[?:?]     at jdk.internal.loader.ClassLoaders$AppClassLoader.loadClass(ClassLoaders.java:188) ~[?:?]     at java.lang.ClassLoader.loadClass(ClassLoader.java:525) ~[?:?]     at net.minecraftforge.eventbus.EventSubclassTransformer.buildEvents(EventSubclassTransformer.java:97) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.EventSubclassTransformer.transform(EventSubclassTransformer.java:48) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.EventBusEngine.processClass(EventBusEngine.java:26) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.service.ModLauncherService.processClassWithFlags(ModLauncherService.java:32) ~[eventbus-6.0.5.jar:6.0.5+6.0.5+master.eb8e549b]     at cpw.mods.modlauncher.LaunchPluginHandler.offerClassNodeToPlugins(LaunchPluginHandler.java:88) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:120) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.TransformingClassLoader.maybeTransformClassBytes(TransformingClassLoader.java:50) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.cl.ModuleClassLoader.readerToClass(ModuleClassLoader.java:113) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.lambda$findClass$15(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadFromModule(ModuleClassLoader.java:229) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.findClass(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadClass(ModuleClassLoader.java:135) ~[securejarhandler-2.1.10.jar:?]     at java.lang.ClassLoader.loadClass(ClassLoader.java:525) ~[?:?]     at com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.BHOrderScreen.lambda$tick$0(BHOrderScreen.java:55) ~[?:?]     at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:863) ~[?:?]     at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:841) ~[?:?]     at java.util.concurrent.CompletableFuture.postComplete(CompletableFuture.java:510) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.run(CompletableFuture.java:1773) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.exec(CompletableFuture.java:1760) ~[?:?]     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) ~[?:?]     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?]     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] [29Jan2025 18:05:33.808] [ForkJoinPool.commonPool-worker-2/ERROR] [net.minecraftforge.eventbus.EventSubclassTransformer/EVENTBUS]: Could not find parent net/minecraftforge/client/gui/widget/ForgeSlider for class com/bisecthosting/mods/bhmenu/modules/servercreatorbanner/screens/steps/PlayerCountStep$1 in classloader jdk.internal.loader.ClassLoaders$AppClassLoader@42110406 on thread Thread[ForkJoinPool.commonPool-worker-2,5,main] [29Jan2025 18:05:33.808] [ForkJoinPool.commonPool-worker-2/ERROR] [net.minecraftforge.eventbus.EventSubclassTransformer/EVENTBUS]: An error occurred building event handler java.lang.ClassNotFoundException: net.minecraftforge.client.gui.widget.ForgeSlider     at jdk.internal.loader.BuiltinClassLoader.loadClass(BuiltinClassLoader.java:641) ~[?:?]     at jdk.internal.loader.ClassLoaders$AppClassLoader.loadClass(ClassLoaders.java:188) ~[?:?]     at java.lang.ClassLoader.loadClass(ClassLoader.java:525) ~[?:?]     at net.minecraftforge.eventbus.EventSubclassTransformer.buildEvents(EventSubclassTransformer.java:97) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.EventSubclassTransformer.transform(EventSubclassTransformer.java:48) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.EventBusEngine.processClass(EventBusEngine.java:26) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.service.ModLauncherService.processClassWithFlags(ModLauncherService.java:32) ~[eventbus-6.0.5.jar:6.0.5+6.0.5+master.eb8e549b]     at cpw.mods.modlauncher.LaunchPluginHandler.offerClassNodeToPlugins(LaunchPluginHandler.java:88) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:120) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.TransformingClassLoader.maybeTransformClassBytes(TransformingClassLoader.java:50) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.cl.ModuleClassLoader.readerToClass(ModuleClassLoader.java:113) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.lambda$findClass$15(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadFromModule(ModuleClassLoader.java:229) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.findClass(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadClass(ModuleClassLoader.java:135) ~[securejarhandler-2.1.10.jar:?]     at java.lang.ClassLoader.loadClass(ClassLoader.java:525) ~[?:?]     at com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.steps.PlayerCountStep.init(PlayerCountStep.java:31) ~[?:?]     at com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.BHOrderScreen.setStep(BHOrderScreen.java:82) ~[?:?]     at com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.BHOrderScreen.lambda$tick$0(BHOrderScreen.java:55) ~[?:?]     at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:863) ~[?:?]     at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:841) ~[?:?]     at java.util.concurrent.CompletableFuture.postComplete(CompletableFuture.java:510) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.run(CompletableFuture.java:1773) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.exec(CompletableFuture.java:1760) ~[?:?]     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) ~[?:?]     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?]     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] [29Jan2025 18:05:33.811] [ForkJoinPool.commonPool-worker-2/ERROR] [net.minecraftforge.eventbus.EventSubclassTransformer/EVENTBUS]: Could not find parent net/minecraft/client/gui/components/AbstractSliderButton for class net/minecraftforge/client/gui/widget/ForgeSlider in classloader jdk.internal.loader.ClassLoaders$AppClassLoader@42110406 on thread Thread[ForkJoinPool.commonPool-worker-2,5,main] [29Jan2025 18:05:33.811] [ForkJoinPool.commonPool-worker-2/ERROR] [net.minecraftforge.eventbus.EventSubclassTransformer/EVENTBUS]: An error occurred building event handler java.lang.ClassNotFoundException: net.minecraft.client.gui.components.AbstractSliderButton     at jdk.internal.loader.BuiltinClassLoader.loadClass(BuiltinClassLoader.java:641) ~[?:?]     at jdk.internal.loader.ClassLoaders$AppClassLoader.loadClass(ClassLoaders.java:188) ~[?:?]     at java.lang.ClassLoader.loadClass(ClassLoader.java:525) ~[?:?]     at net.minecraftforge.eventbus.EventSubclassTransformer.buildEvents(EventSubclassTransformer.java:97) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.EventSubclassTransformer.transform(EventSubclassTransformer.java:48) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.EventBusEngine.processClass(EventBusEngine.java:26) ~[eventbus-6.0.5.jar:?]     at net.minecraftforge.eventbus.service.ModLauncherService.processClassWithFlags(ModLauncherService.java:32) ~[eventbus-6.0.5.jar:6.0.5+6.0.5+master.eb8e549b]     at cpw.mods.modlauncher.LaunchPluginHandler.offerClassNodeToPlugins(LaunchPluginHandler.java:88) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.ClassTransformer.transform(ClassTransformer.java:120) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.modlauncher.TransformingClassLoader.maybeTransformClassBytes(TransformingClassLoader.java:50) ~[modlauncher-10.0.9.jar:?]     at cpw.mods.cl.ModuleClassLoader.readerToClass(ModuleClassLoader.java:113) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.lambda$findClass$15(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadFromModule(ModuleClassLoader.java:229) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.findClass(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadClass(ModuleClassLoader.java:135) ~[securejarhandler-2.1.10.jar:?]     at java.lang.ClassLoader.loadClass(ClassLoader.java:525) ~[?:?]     at java.lang.ClassLoader.defineClass1(Native Method) ~[?:?]     at java.lang.ClassLoader.defineClass(ClassLoader.java:1017) ~[?:?]     at cpw.mods.cl.ModuleClassLoader.readerToClass(ModuleClassLoader.java:119) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.lambda$findClass$15(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadFromModule(ModuleClassLoader.java:229) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.findClass(ModuleClassLoader.java:219) ~[securejarhandler-2.1.10.jar:?]     at cpw.mods.cl.ModuleClassLoader.loadClass(ModuleClassLoader.java:135) ~[securejarhandler-2.1.10.jar:?]     at java.lang.ClassLoader.loadClass(ClassLoader.java:525) ~[?:?]     at com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.steps.PlayerCountStep.init(PlayerCountStep.java:31) ~[?:?]     at com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.BHOrderScreen.setStep(BHOrderScreen.java:82) ~[?:?]     at com.bisecthosting.mods.bhmenu.modules.servercreatorbanner.screens.BHOrderScreen.lambda$tick$0(BHOrderScreen.java:55) ~[?:?]     at java.util.concurrent.CompletableFuture.uniWhenComplete(CompletableFuture.java:863) ~[?:?]     at java.util.concurrent.CompletableFuture$UniWhenComplete.tryFire(CompletableFuture.java:841) ~[?:?]     at java.util.concurrent.CompletableFuture.postComplete(CompletableFuture.java:510) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.run(CompletableFuture.java:1773) ~[?:?]     at java.util.concurrent.CompletableFuture$AsyncSupply.exec(CompletableFuture.java:1760) ~[?:?]     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) ~[?:?]     at java.util.concurrent.ForkJoinPool.runWorker(ForkJoinPool.java:1622) ~[?:?]     at java.util.concurrent.ForkJoinWorkerThread.run(ForkJoinWorkerThread.java:165) ~[?:?] [29Jan2025 18:05:37.116] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] ScreenCustomizationLayer registered: progress_screen [29Jan2025 18:05:37.124] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] ScreenCustomizationLayer registered: connect_screen [29Jan2025 18:05:37.128] [Render thread/INFO] [net.minecraft.client.gui.screens.ConnectScreen/]: Connecting to 50.20.255.201, 25565 [29Jan2025 18:05:40.163] [Netty Epoll Client IO #0/INFO] [Puzzles Lib/]: Reloading server config for illagerinvasion [29Jan2025 18:05:40.177] [Netty Epoll Client IO #0/INFO] [Puzzles Lib/]: Reloading server config for mutantmonsters [29Jan2025 18:05:40.180] [Netty Epoll Client IO #0/INFO] [Puzzles Lib/]: Reloading server config for easyanvils [29Jan2025 18:05:40.185] [Netty Epoll Client IO #0/INFO] [Puzzles Lib/]: Reloading server config for barteringstation [29Jan2025 18:05:40.205] [Netty Epoll Client IO #0/INFO] [Puzzles Lib/]: Reloading server config for tradingpost [29Jan2025 18:05:40.207] [Netty Epoll Client IO #0/INFO] [de.cadentem.cave_dweller.CaveDweller/]: Server configuration has been reloaded [29Jan2025 18:05:40.207] [Netty Epoll Client IO #0/WARN] [net.minecraftforge.common.ForgeConfigSpec/CORE]: Configuration file SimpleCommentedConfig:{server=SimpleCommentedConfig:{removeErroringBlockEntities=false, removeErroringEntities=false, fullBoundingBoxLadders=false, zombieBaseSummonChance=0.1, zombieBabyChance=0.05, permissionHandler=forge:default_handler, advertiseDedicatedServerToLan=true, useItemWithDurationZero=false}} is not correct. Correcting [29Jan2025 18:05:40.208] [Netty Epoll Client IO #0/WARN] [net.minecraftforge.common.ForgeConfigSpec/CORE]: Incorrect key server.useItemWithDurationZero was corrected from false to its default, null.  [29Jan2025 18:05:40.210] [Render thread/INFO] [Framework/]: Loading synced config from server: refurbished_furniture:server [29Jan2025 18:05:40.320] [Netty Epoll Client IO #0/INFO] [net.minecraftforge.network.NetworkHooks/]: Connected to a modded server. [29Jan2025 18:05:40.385] [Netty Epoll Client IO #0/INFO] [snownee.kiwi.Kiwi/]: Canceling Microsoft telemetry [29Jan2025 18:05:40.497] [Render thread/INFO] [de.keksuccino.fancymenu.customization.layer.ScreenCustomizationLayerHandler/]: [FANCYMENU] ScreenCustomizationLayer registered: disconnected_screen [29Jan2025 18:06:25.685] [Render thread/INFO] [AutoMessage/]: This line is printed by an example mod mixin from Forge! [29Jan2025 18:06:25.685] [Render thread/INFO] [AutoMessage/]: MC Version: release [29Jan2025 18:06:25.686] [Render thread/INFO] [AutoMessage/]: This line is printed by an example mod mixin from Forge! [29Jan2025 18:06:25.686] [Render thread/INFO] [AutoMessage/]: MC Version: release [29Jan2025 18:06:25.687] [Render thread/INFO] [AutoMessage/]: This line is printed by an example mod mixin from Forge! [29Jan2025 18:06:25.687] [Render thread/INFO] [AutoMessage/]: MC Version: release [29Jan2025 18:06:28.835] [Render thread/INFO] [net.minecraft.client.Minecraft/]: Stopping!  
    • Two things so far: Cannot swim along the surface high enough to breath air. Instead, the player goes from swimming position to standing position once air-level is reached. Swimming should still be possible while swimming at the surface, just high enough to breath air. Also, swimming up to a block will cause the player to go into the standing position once the player is touching it. This makes swimming into 1x1 holes difficult.   Until now, i thought this was a 1.21.4 bug in minecraft but i ran the client in vanilla and everything is normal. Then I tested this without any other mods present on 54.0.26 to be sure. This has been occurring since at least 54.0.6.   Thank you.   Edit: fixed a typo
    • hello, in the mod ender dragon loot i have a bugged texture. i dont know how to fix it, the texture is the dragon helmet. if you can help me to fix it pls do it. (i cant put images of it but pls help me xd)
  • Topics

×
×
  • Create New...

Important Information

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