Jump to content

Recommended Posts

Posted

I am making a system of blocks that will connect together and they are bonded by a random number. This number is saved in the tile entity in nbt. However right now the nbt data won't save when I quit the game and is reset to 0 when I restart.

 

Tile Entity:

package AdvancedRedstone.TuxCraft.Blocks;

import java.util.Random;

import net.minecraft.block.material.Material;
import net.minecraft.nbt.NBTTagCompound;
import net.minecraft.tileentity.TileEntity;

public class TileEntityPipe extends TileEntity
{

public NBTTagCompound stackTagCompound;
public int networkID;

public void readFromNBT(NBTTagCompound nbt)
    {
        super.readFromNBT(nbt);
        
        this.networkID = nbt.getInteger("networkID");
    }

    public void writeToNBT(NBTTagCompound nbt)
    {
        super.writeToNBT(nbt);
        
        nbt.setInteger("networkID", this.networkID);
    }
    
    public boolean canUpdate()
    {
    	return true;
    }
    
    @Override
    public void updateEntity()
    {
    	if(this.worldObj.isRemote)
    	{
    	if( stackTagCompound != null )
    	{
    		this.networkID = stackTagCompound.getInteger( "networkID" );
	    	
	    	//System.out.println(this.networkID);
    	}
    	}
    }
    
    public void setID(int i)
    {
    	
    	if( stackTagCompound == null )
    	{
    		stackTagCompound = new NBTTagCompound( );
    	}
    	
    	stackTagCompound.setInteger( "networkID", i );
    	this.networkID = i;
    }

public void joinPipeSystem() 
{
	// TODO Auto-generated method stub

}

}

 

Block:

package AdvancedRedstone.TuxCraft.Blocks;

import java.util.Random;

import net.minecraft.block.Block;
import net.minecraft.block.material.Material;
import net.minecraft.client.renderer.texture.IconRegister;
import net.minecraft.entity.EntityLivingBase;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.item.ItemStack;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.util.Icon;
import net.minecraft.world.World;
import AdvancedRedstone.TuxCraft.AdvancedRedstoneCore;
import cpw.mods.fml.relauncher.Side;
import cpw.mods.fml.relauncher.SideOnly;

public class BlockPipe extends Block
{	

private String textureName;
private String propGroup;
private String behaviorGroup;

Random rand = new Random();

public BlockPipe(int id, Material m, String s)
{

	super(id, m);
	this.textureName = s;
	this.setUnlocalizedName(s);
}

@Override
public void registerIcons(IconRegister icon)
{

	this.blockIcon = icon.registerIcon(AdvancedRedstoneCore.modid + ":"
			+ this.textureName);
}

public Block propertyGroup(String s, String s2)
{
	PropertyGroups.propertyGroup(s, this);

	this.propGroup = s;
	this.behaviorGroup = s2;
	return this;
}

private boolean isTileProvider = true;

@Override
public void onBlockPlacedBy(World world, int x, int y, int z, EntityLivingBase entity, ItemStack stack)
{
	if(world.isRemote)
	{
		TileEntityPipe tile = (TileEntityPipe) world.getBlockTileEntity(x, y, z);
		int ID = getBestNetworkID(world, x, y, z);

		if(ID != 0)
		{
			tile.setID(ID);
		}

		else
		{
			tile.setID(rand.nextInt());
		}

		System.out.println(tile.networkID);
	}
}

private int getBestNetworkID(World world, int x, int y, int z) 
{
	int networkID = 0;
	int[] neighborID = new int[] {0, 0, 0, 0, 0, 0};
	TileEntityPipe base = (TileEntityPipe) world.getBlockTileEntity(x, y, z);

	if(world.getBlockId(x + 1, y, z) == this.blockID)
	{
		TileEntityPipe tile = (TileEntityPipe) world.getBlockTileEntity(x + 1, y, z);
		neighborID[0] = tile.networkID;
	}

	if(world.getBlockId(x - 1, y, z) == this.blockID)
	{
		TileEntityPipe tile = (TileEntityPipe) world.getBlockTileEntity(x - 1, y, z);
		neighborID[1] = tile.networkID;
	}

	if(world.getBlockId(x, y + 1, z) == this.blockID)
	{
		TileEntityPipe tile = (TileEntityPipe) world.getBlockTileEntity(x, y + 1, z);
		neighborID[2] = tile.networkID;
	}

	if(world.getBlockId(x, y - 1, z) == this.blockID)
	{
		TileEntityPipe tile = (TileEntityPipe) world.getBlockTileEntity(x, y - 1, z);
		neighborID[3] = tile.networkID;
	}

	if(world.getBlockId(x, y, z + 1) == this.blockID)
	{
		TileEntityPipe tile = (TileEntityPipe) world.getBlockTileEntity(x, y, z + 1);
		neighborID[4] = tile.networkID;
	}

	if(world.getBlockId(x, y, z - 1) == this.blockID)
	{
		TileEntityPipe tile = (TileEntityPipe) world.getBlockTileEntity(x, y, z - 1);
		neighborID[5] = tile.networkID;
	}

	System.out.println(neighborID[0] + ", " + neighborID[1] + ", " + neighborID[2] + ", " + neighborID[3] + ", " + neighborID[4] + ", " + neighborID[5]);

	for(int i = 0; i < neighborID.length; i++)
	{

		if(networkID == 0 && neighborID[i] != 0 && neighborID[i] != networkID)
		{
			networkID = neighborID[i];
		}

		else if(neighborID[i] == networkID)
		{
			networkID = neighborID[i];
		}

		else if(neighborID[i] == 0 && networkID != 0)
		{

		}

		else
		{
			networkID = 0;
		}
	}


	return networkID;
}

@Override
public boolean hasTileEntity(int metadata)
    {
        return true;
    }

@Override
public TileEntity createTileEntity(World world, int metadata)
{
	return new TileEntityPipe();
}

public boolean onBlockActivated(World world, int x, int y, int z, EntityPlayer par5EntityPlayer, int par6, float par7, float par8, float par9)
    {
	if(world.isRemote)
	{
		TileEntityPipe tile = (TileEntityPipe) world.getBlockTileEntity(x, y, z);
		System.out.println(String.valueOf(tile.networkID));
	}

        return false;
    }
    
}

 

I know forge is not yet completely stable, so is this a forge error, or is this error on my side?

Posted

I tried both changing all of the world.isRemotes to false and just removing them entirely, when I did that it would save the data if I closed the world then reopened it. But if I closed the game and reopened it the nbt would not save.

Posted

The problem you have is that the NBTTagCompound you're trying to retrieve the info from is not the same that is used to write/read NBT. In fact, you shouldn't have a NBTTagCompound field in your TileEntity class at all. If you want to validate the id you're trying to save has been succesfully saved just print 'networkID', without the checking if the (empty) NBT tag has the info.

Author of PneumaticCraft, MineChess, Minesweeper Mod and Sokoban Mod. Visit www.minemaarten.com to take a look at them.

  • 4 weeks later...
Posted

I hope you guys dont mind me poking my head in here! haha

I have a block that needs to save its facing AND type (this affects mechanics and model texture). It is a custom model.

I have TileEntities setup, and just went through all the packet stuff above. But I am getting this error in the Packet class.

Error

Aug 14, 2013 6:22:57 PM net.minecraft.launchwrapper.LogWrapper log
INFO: Using tweak class name cpw.mods.fml.common.launcher.FMLTweaker
2013-08-14 18:22:57 [iNFO] [ForgeModLoader] Forge Mod Loader version 6.2.35.804 for Minecraft 1.6.2 loading
2013-08-14 18:22:57 [iNFO] [ForgeModLoader] Java is Java HotSpot(TM) 64-Bit Server VM, version 1.6.0_51, running on Mac OS X:x86_64:10.8.4, installed at /System/Library/Java/JavaVirtualMachines/1.6.0.jdk/Contents/Home
2013-08-14 18:22:57 [iNFO] [ForgeModLoader] Managed to load a deobfuscated Minecraft name- we are in a deobfuscated environment. Skipping runtime deobfuscation
2013-08-14 18:22:57 [WARNING] [ForgeModLoader] The coremod codechicken.core.launch.CodeChickenCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft
2013-08-14 18:23:00 [WARNING] [ForgeModLoader] The coremod codechicken.nei.asm.NEICorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft
2013-08-14 18:23:00 [iNFO] [sTDOUT] Loaded 39 rules from AccessTransformer config file fml_at.cfg
2013-08-14 18:23:00 [iNFO] [sTDOUT] Loaded 107 rules from AccessTransformer config file forge_at.cfg
2013-08-14 18:23:00 [iNFO] [sTDOUT] Loaded 39 rules from AccessTransformer config file fml_at.cfg
2013-08-14 18:23:01 [sEVERE] [ForgeModLoader] The binary patch set is missing. Either you are in a development environment, or things are not going to work!
2013-08-14 18:23:01 [iNFO] [sTDOUT] Adding AccessTransformer: nei_at.cfg
2013-08-14 18:23:01 [iNFO] [sTDOUT] Adding Accesstransformer map: temp.dat
2013-08-14 18:23:01 [iNFO] [sTDOUT] Loaded 53 rules from AccessTransformer config file temp.dat
2013-08-14 18:23:02 [iNFO] [ForgeModLoader] Launching wrapped minecraft
2013-08-14 18:23:04 [iNFO] [sTDOUT] Inserted super call into net.minecraft.client.gui.inventory.GuiInventory.updateScreen
2013-08-14 18:23:04 [iNFO] [sTDOUT] net.minecraft.client.gui.inventory.GuiContainer was overriden from NotEnoughItems-dev 1.6.0.7.jar
2013-08-14 18:23:04 [iNFO] [Minecraft-Client] Setting user: Player449
2013-08-14 18:23:04 [iNFO] [Minecraft-Client] (Session ID is null)
2013-08-14 18:23:05 [iNFO] [sTDOUT] Generated BlockMobSpawner helper method.
2013-08-14 18:23:06 [iNFO] [Minecraft-Client] LWJGL Version: 2.9.0
2013-08-14 18:23:08 [iNFO] [Minecraft-Client] Reloading ResourceManager: Default
2013-08-14 18:23:09 [iNFO] [sTDOUT] 
2013-08-14 18:23:09 [iNFO] [sTDOUT] Starting up SoundSystem...
2013-08-14 18:23:09 [iNFO] [MinecraftForge] Attempting early MinecraftForge initialization
2013-08-14 18:23:09 [iNFO] [sTDOUT] MinecraftForge v9.10.0.804 Initialized
2013-08-14 18:23:09 [iNFO] [ForgeModLoader] MinecraftForge v9.10.0.804 Initialized
2013-08-14 18:23:09 [iNFO] [sTDOUT] Initializing LWJGL OpenAL
2013-08-14 18:23:09 [iNFO] [sTDOUT]     (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org)
2013-08-14 18:23:09 [iNFO] [sTDOUT] Replaced 101 ore recipies
2013-08-14 18:23:09 [iNFO] [MinecraftForge] Completed early MinecraftForge initialization
2013-08-14 18:23:09 [iNFO] [sTDOUT] OpenAL initialized.
2013-08-14 18:23:09 [iNFO] [ForgeModLoader] Reading custom logging properties from /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/jars/config/logging.properties
2013-08-14 18:23:09 [OFF] [ForgeModLoader] Logging level for ForgeModLoader logging is set to ALL
2013-08-14 18:23:09 [iNFO] [sTDOUT] 
2013-08-14 18:23:09 [iNFO] [ForgeModLoader] Searching /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/jars/mods for mods
2013-08-14 18:23:12 [iNFO] [ForgeModLoader] Attempting to reparse the mod container bin
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] Forge Mod Loader has identified 11 mods to load
2013-08-14 18:23:14 [iNFO] [mcp] Activating mod mcp
2013-08-14 18:23:14 [iNFO] [FML] Activating mod FML
2013-08-14 18:23:14 [iNFO] [Forge] Activating mod Forge
2013-08-14 18:23:14 [iNFO] [CodeChickenCore] Activating mod CodeChickenCore
2013-08-14 18:23:14 [iNFO] [NotEnoughItems] Activating mod NotEnoughItems
2013-08-14 18:23:14 [iNFO] [CountryGamer_BetterVillages2.0] Activating mod CountryGamer_BetterVillages2.0
2013-08-14 18:23:14 [iNFO] [CountryGamer_Misc] Activating mod CountryGamer_Misc
2013-08-14 18:23:14 [iNFO] [CountryGamer_PlantsVsZombies] Activating mod CountryGamer_PlantsVsZombies
2013-08-14 18:23:14 [iNFO] [CountryGamer_PvZExtensions] Activating mod CountryGamer_PvZExtensions
2013-08-14 18:23:14 [iNFO] [CountryGamer_Tardis] Activating mod CountryGamer_Tardis
2013-08-14 18:23:14 [iNFO] [DamageIndicatorsMod] Activating mod DamageIndicatorsMod
2013-08-14 18:23:14 [WARNING] [Not Enough Items] Mod Not Enough Items is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [better Villages 2.0] Mod Better Villages 2.0 is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [Country Gamer ModPack; Misc Mod] Mod Country Gamer ModPack; Misc Mod is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [Plants Vs Zombies] Mod Plants Vs Zombies is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [PvZ Extensions] Mod PvZ Extensions is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [Tardis] Mod Tardis is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [Damage Indicators] Mod Damage Indicators is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [iNFO] [Minecraft-Client] Reloading ResourceManager: Default, FMLFileResourcePack:Not Enough Items, FMLFileResourcePack:Better Villages 2.0, FMLFileResourcePack:Country Gamer ModPack; Misc Mod, FMLFileResourcePack:Plants Vs Zombies, FMLFileResourcePack:PvZ Extensions, FMLFileResourcePack:Tardis, FMLFileResourcePack:Damage Indicators
2013-08-14 18:23:14 [iNFO] [sTDOUT] 
2013-08-14 18:23:14 [iNFO] [sTDOUT] SoundSystem shutting down...
2013-08-14 18:23:14 [iNFO] [sTDOUT]     Author: Paul Lamb, www.paulscode.com
2013-08-14 18:23:14 [iNFO] [sTDOUT] 
2013-08-14 18:23:14 [iNFO] [sTDOUT] 
2013-08-14 18:23:14 [iNFO] [sTDOUT] Starting up SoundSystem...
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] FML has found a non-mod file CodeChickenCore 0.9.0.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] FML has found a non-mod file CodeChickenLib-dev-1.6.2-1.0.0.9.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] FML has found a non-mod file CodeChickenLib-universal-1.6.2-1.0.0.9.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] FML has found a non-mod file NotEnoughItems-dev 1.6.0.7.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] Registering Forge Packet Handler
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] Succeeded registering Forge Packet Handler
2013-08-14 18:23:14 [iNFO] [sTDOUT] Initializing LWJGL OpenAL
2013-08-14 18:23:14 [iNFO] [sTDOUT]     (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org)
2013-08-14 18:23:14 [iNFO] [sTDOUT] OpenAL initialized.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] Configured a dormant chunk cache size of 0
2013-08-14 18:23:15 [iNFO] [sTDOUT] 
2013-08-14 18:23:15 [iNFO] [sTDOUT] Removing TMI Uninstaller
2013-08-14 18:23:15 [iNFO] [sTDOUT] Deleting Dir: /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/eclipse/Minecraft/bin/net/minecraft/client/TMIUninstaller
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 1 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 2 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 8 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 9 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 10 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 11 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [iNFO] [ForgeModLoader] Forge Mod Loader has successfully loaded 11 mods
2013-08-14 18:23:16 [WARNING] [Not Enough Items] Mod Not Enough Items is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [better Villages 2.0] Mod Better Villages 2.0 is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [Country Gamer ModPack; Misc Mod] Mod Country Gamer ModPack; Misc Mod is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [Plants Vs Zombies] Mod Plants Vs Zombies is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [PvZ Extensions] Mod PvZ Extensions is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [Tardis] Mod Tardis is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [Damage Indicators] Mod Damage Indicators is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [iNFO] [Minecraft-Client] Reloading ResourceManager: Default, FMLFileResourcePack:Not Enough Items, FMLFileResourcePack:Better Villages 2.0, FMLFileResourcePack:Country Gamer ModPack; Misc Mod, FMLFileResourcePack:Plants Vs Zombies, FMLFileResourcePack:PvZ Extensions, FMLFileResourcePack:Tardis, FMLFileResourcePack:Damage Indicators
2013-08-14 18:23:16 [sEVERE] [Minecraft-Client] Using missing texture, unable to load: countrygamer_tardis:textures/items/tardisKey.png
2013-08-14 18:23:16 [iNFO] [sTDOUT] 
2013-08-14 18:23:16 [iNFO] [sTDOUT] SoundSystem shutting down...
2013-08-14 18:23:16 [iNFO] [sTDOUT]     Author: Paul Lamb, www.paulscode.com
2013-08-14 18:23:16 [iNFO] [sTDOUT] 
2013-08-14 18:23:16 [iNFO] [sTDOUT] 
2013-08-14 18:23:16 [iNFO] [sTDOUT] Starting up SoundSystem...
2013-08-14 18:23:16 [sEVERE] [Minecraft-Client] ########## GL ERROR ##########
2013-08-14 18:23:16 [sEVERE] [Minecraft-Client] @ Post startup
2013-08-14 18:23:16 [sEVERE] [Minecraft-Client] 1281: Invalid value
2013-08-14 18:23:17 [iNFO] [sTDOUT] Initializing LWJGL OpenAL
2013-08-14 18:23:17 [iNFO] [sTDOUT]     (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org)
2013-08-14 18:23:17 [iNFO] [sTDOUT] OpenAL initialized.
2013-08-14 18:23:17 [iNFO] [sTDOUT] 
2013-08-14 18:23:17 [sEVERE] [Minecraft-Client] Realms: Invalid session id
2013-08-14 18:23:21 [iNFO] [Minecraft-Server] Starting integrated minecraft server version 1.6.2
2013-08-14 18:23:21 [iNFO] [Minecraft-Server] Generating keypair
2013-08-14 18:23:21 [iNFO] [ForgeModLoader] Loading dimension 0 (New World) (net.minecraft.server.integrated.IntegratedServer@3079279)
2013-08-14 18:23:21 [iNFO] [ForgeModLoader] Loading dimension 1 (New World) (net.minecraft.server.integrated.IntegratedServer@3079279)
2013-08-14 18:23:21 [iNFO] [ForgeModLoader] Loading dimension -1 (New World) (net.minecraft.server.integrated.IntegratedServer@3079279)
2013-08-14 18:23:21 [iNFO] [Minecraft-Server] Preparing start region for level 0
2013-08-14 18:23:22 [iNFO] [DamageIndicatorsMod] Server no longer requires this mod to function!
2013-08-14 18:23:22 [WARNING] [Minecraft-Server] Server no longer requires Damage Indicators to function client side!
2013-08-14 18:23:22 [iNFO] [sTDOUT] Loading NEI
2013-08-14 18:23:22 [iNFO] [sTDOUT] loading single player
2013-08-14 18:23:22 [iNFO] [Minecraft-Server] Player449[/127.0.0.1:0] logged in with entity id 183 at (-180.9020783888061, 68.0, 173.26330801090847)
2013-08-14 18:23:22 [iNFO] [Minecraft-Server] Player449 joined the game
2013-08-14 18:23:22 [iNFO] [sTDOUT] Loading Player: Player449
2013-08-14 18:23:22 [iNFO] [sTDOUT] Sending serverside check to: Player449
2013-08-14 18:23:23 [iNFO] [sTDOUT] Setting up custom skins
2013-08-14 18:23:23 [iNFO] [sTDOUT] Loading World: local/New World
2013-08-14 18:23:24 [iNFO] [Minecraft-Client] [CHAT] Version 0.9.0.3 of CodeChickenCore is available
2013-08-14 18:23:24 [iNFO] [Minecraft-Client] [CHAT] Version 1.6.1.2 of NotEnoughItems is available
2013-08-14 18:23:24 [iNFO] [Minecraft-Client] [CHAT] Damage Indicators Mod v.2.9.0.0 is up to date.
2013-08-14 18:23:26 [iNFO] [sTDOUT] facing = 2
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Stopping server
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving players
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Player449 left the game
2013-08-14 18:23:27 [iNFO] [sTDOUT] Unloading Player: Player449
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving worlds
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving chunks for level 'New World'/Overworld
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving chunks for level 'New World'/Nether
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving chunks for level 'New World'/The End
2013-08-14 18:23:28 [iNFO] [ForgeModLoader] Unloading dimension 0
2013-08-14 18:23:28 [iNFO] [ForgeModLoader] Unloading dimension -1
2013-08-14 18:23:28 [iNFO] [ForgeModLoader] Unloading dimension 1
2013-08-14 18:23:28 [iNFO] [sTDERR] net.minecraft.util.ReportedException: Ticking tile entity
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.world.World.updateEntities(World.java:2219)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.client.Minecraft.runTick(Minecraft.java:1907)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.client.Minecraft.runGameLoop(Minecraft.java:898)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:826)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.client.main.Main.main(Main.java:93)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at java.lang.reflect.Method.invoke(Method.java:597)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.launchwrapper.Launch.launch(Launch.java:57)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.launchwrapper.Launch.main(Launch.java:18)
2013-08-14 18:23:28 [iNFO] [sTDERR] Caused by: java.lang.RuntimeException: Packet GravestoneChangePacket is missing a mapping!
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.getPacketId(PvZPacket.java:74)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.makePacket(PvZPacket.java:80)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone.updateEntity(TileEntityGravestone.java:90)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.world.World.updateEntities(World.java:2204)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	... 10 more
2013-08-14 18:23:28 [iNFO] [sTDOUT] ---- Minecraft Crash Report ----
2013-08-14 18:23:28 [iNFO] [sTDOUT] // On the bright side, I bought you a teddy bear!
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] Time: 8/14/13 6:23 PM
2013-08-14 18:23:28 [iNFO] [sTDOUT] Description: Ticking tile entity
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] java.lang.RuntimeException: Packet GravestoneChangePacket is missing a mapping!
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.getPacketId(PvZPacket.java:74)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.makePacket(PvZPacket.java:80)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone.updateEntity(TileEntityGravestone.java:90)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.world.World.updateEntities(World.java:2204)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.runTick(Minecraft.java:1907)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.runGameLoop(Minecraft.java:898)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:826)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.main.Main.main(Main.java:93)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at java.lang.reflect.Method.invoke(Method.java:597)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.launch(Launch.java:57)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.main(Launch.java:18)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] A detailed walkthrough of the error, its code path and all known details is as follows:
2013-08-14 18:23:28 [iNFO] [sTDOUT] ---------------------------------------------------------------------------------------
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] -- Head --
2013-08-14 18:23:28 [iNFO] [sTDOUT] Stacktrace:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.getPacketId(PvZPacket.java:74)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.makePacket(PvZPacket.java:80)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone.updateEntity(TileEntityGravestone.java:90)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] -- Tile entity being ticked --
2013-08-14 18:23:28 [iNFO] [sTDOUT] Details:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Name: Gravestone // mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Block type: ID #506 (tile.gravestoneReg // mods.CountryGamer_PlantsVsZombies.Blocks.BlockGravestone)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Block data value: 0 / 0x0 / 0b0000
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Block location: World: (-181,68,170), Chunk: (at 11,4,10 in -12,10; contains blocks -192,0,160 to -177,255,175), Region: (-1,0; contains chunks -32,0 to -1,31, blocks -512,0,0 to -1,255,511)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Actual block type: ID #506 (tile.gravestoneReg // mods.CountryGamer_PlantsVsZombies.Blocks.BlockGravestone)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Actual block data value: 0 / 0x0 / 0b0000
2013-08-14 18:23:28 [iNFO] [sTDOUT] Stacktrace:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.world.World.updateEntities(World.java:2204)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] -- Affected level --
2013-08-14 18:23:28 [iNFO] [sTDOUT] Details:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level name: MpServer
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	All players: 1 total; [EntityClientPlayerMP['Player449'/183, l='MpServer', x=-180.90, y=69.62, z=173.26]]
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Chunk stats: MultiplayerChunkCache: 405
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level seed: 0
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level generator: ID 00 - default, ver 1. Features enabled: false
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level generator options: 
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level spawn location: World: (-200,64,221), Chunk: (at 8,4,13 in -13,13; contains blocks -208,0,208 to -193,255,223), Region: (-1,0; contains chunks -32,0 to -1,31, blocks -512,0,0 to -1,255,511)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level time: 56497 game time, 6000 day time
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level dimension: 0
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level storage version: 0x00000 - Unknown?
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level weather: Rain time: 0 (now: false), thunder time: 0 (now: false)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level game mode: Game mode: creative (ID 1). Hardcore: false. Cheats: false
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Forced entities: 40 total; [EntityBat['Bat'/137, l='MpServer', x=-129.25, y=41.10, z=130.72], EntityBat['Bat'/136, l='MpServer', x=-144.11, y=22.00, z=139.16], EntityClientPlayerMP['Player449'/183, l='MpServer', x=-180.90, y=69.62, z=173.26], EntityChicken['Chicken'/143, l='MpServer', x=-123.38, y=71.00, z=101.56], EntityBat['Bat'/129, l='MpServer', x=-154.25, y=24.10, z=130.75], EntityBat['Bat'/128, l='MpServer', x=-152.07, y=22.00, z=138.83], EntityBat['Bat'/131, l='MpServer', x=-146.73, y=45.13, z=179.40], EntityBat['Bat'/130, l='MpServer', x=-149.71, y=22.15, z=138.38], EntitySheep['Sheep'/135, l='MpServer', x=-134.41, y=72.00, z=94.47], EntityZombie['Zombie'/220, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/221, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/222, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/223, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityChicken['Chicken'/159, l='MpServer', x=-111.94, y=64.00, z=119.88], EntityZombie['Zombie'/219, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityBat['Bat'/93, l='MpServer', x=-226.35, y=34.10, z=198.25], EntitySheep['Sheep'/144, l='MpServer', x=-114.88, y=62.00, z=120.53], EntityChicken['Chicken'/145, l='MpServer', x=-124.22, y=71.00, z=114.78], EntityBat['Bat'/92, l='MpServer', x=-225.47, y=35.10, z=197.75], EntityChicken['Chicken'/146, l='MpServer', x=-112.38, y=65.00, z=122.28], EntityBat['Bat'/94, l='MpServer', x=-236.25, y=27.10, z=232.75], EntityChicken['Chicken'/147, l='MpServer', x=-114.41, y=64.00, z=121.47], EntityBat['Bat'/89, l='MpServer', x=-250.43, y=24.50, z=229.38], EntityChicken['Chicken'/148, l='MpServer', x=-126.56, y=70.00, z=124.17], EntityBat['Bat'/88, l='MpServer', x=-253.63, y=33.10, z=194.38], EntitySheep['Sheep'/149, l='MpServer', x=-115.38, y=71.00, z=134.40], EntityChicken['Chicken'/150, l='MpServer', x=-120.19, y=70.00, z=147.53], EntityBat['Bat'/98, l='MpServer', x=-229.33, y=20.08, z=226.46], EntityPig['Pig'/99, l='MpServer', x=-217.91, y=65.00, z=247.13], EntityPig['Pig'/97, l='MpServer', x=-221.19, y=64.00, z=212.84], EntityBat['Bat'/110, l='MpServer', x=-180.54, y=49.73, z=115.52], EntityZombie['Zombie'/229, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/228, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityItem['item.item.sulphur'/106, l='MpServer', x=-194.22, y=68.13, z=174.72], EntityZombie['Zombie'/227, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/226, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/225, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/224, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityBat['Bat'/121, l='MpServer', x=-170.20, y=38.74, z=153.71], EntityBat['Bat'/120, l='MpServer', x=-172.78, y=43.10, z=102.88]]
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Retry entities: 0 total; []
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Server brand: fml,forge
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Server type: Integrated singleplayer server
2013-08-14 18:23:28 [iNFO] [sTDOUT] Stacktrace:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.multiplayer.WorldClient.addWorldInfoToCrashReport(WorldClient.java:440)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.addGraphicsAndWorldToCrashReport(Minecraft.java:2298)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:844)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.main.Main.main(Main.java:93)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at java.lang.reflect.Method.invoke(Method.java:597)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.launch(Launch.java:57)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.main(Launch.java:18)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] -- System Details --
2013-08-14 18:23:28 [iNFO] [sTDOUT] Details:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Minecraft Version: 1.6.2
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Operating System: Mac OS X (x86_64) version 10.8.4
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Java Version: 1.6.0_51, Apple Inc.
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Java VM Version: Java HotSpot(TM) 64-Bit Server VM (mixed mode), Apple Inc.
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Memory: 904307512 bytes (862 MB) / 1065025536 bytes (1015 MB) up to 1065025536 bytes (1015 MB)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	JVM Flags: 3 total; -Xincgc -Xmx1024M -Xms1024M
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	AABB Pool Size: 20872 (1168832 bytes; 1 MB) allocated, 458 (25648 bytes; 0 MB) used
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Suspicious classes: FML and Forge are installed
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	IntCache: cache: 0, tcache: 0, allocated: 1, tallocated: 63
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	FML: MCP v8.04 FML v6.2.35.804 Minecraft Forge 9.10.0.804 11 mods loaded, 11 mods active
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	mcp{8.04} [Minecraft Coder Pack] (minecraft.jar) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	FML{6.2.35.804} [Forge Mod Loader] (coremods) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Forge{9.10.0.804} [Minecraft Forge] (coremods) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CodeChickenCore{0.9.0.0} [CodeChicken Core] (coremods) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	NotEnoughItems{1.6.0.7} [Not Enough Items] (NotEnoughItems-dev 1.6.0.7.jar) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_BetterVillages2.0{1.0} [better Villages 2.0] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_Misc{1.0} [Country Gamer ModPack; Misc Mod] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_PlantsVsZombies{2.3} [Plants Vs Zombies] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_PvZExtensions{2.2} [PvZ Extensions] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_Tardis{1.0} [Tardis] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	DamageIndicatorsMod{2.9.0.0} [Damage Indicators] (1.6.2 DamageIndicators v2.9.0.0.zip) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Launched Version: 1.6
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	LWJGL: 2.9.0
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	OpenGL: Intel HD Graphics 3000 OpenGL Engine GL version 2.1 INTEL-8.12.47, Intel Inc.
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Is Modded: Definitely; Client brand changed to 'fml,forge'
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Type: Client (map_client.txt)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Resource Pack: Default
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Current Language: English (US)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Profiler Position: N/A (disabled)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Vec3 Pool Size: 701 (39256 bytes; 0 MB) allocated, 87 (4872 bytes; 0 MB) used
2013-08-14 18:23:28 [iNFO] [sTDOUT] #@!@# Game crashed! Crash report saved to: #@!@# /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/jars/./crash-reports/crash-2013-08-14_18.23.28-client.txt
AL lib: (EE) alc_cleanup: 1 device not closed

 

TileEnt

package mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts;

import java.util.List;

import mods.CountryGamer_PlantsVsZombies.GravestoneChangePacket;
import mods.CountryGamer_PlantsVsZombies.PvZ_Util;
import mods.CountryGamer_PlantsVsZombies.Resources;
import net.minecraft.entity.Entity;
import net.minecraft.entity.monster.EntityZombie;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.util.AxisAlignedBB;
import net.minecraft.util.ResourceLocation;
import cpw.mods.fml.common.network.PacketDispatcher;

public class TileEntityGravestone extends TileEntity {

public int facing=-1;
public int type=0;
public ResourceLocation[] typeTexture = new ResourceLocation[]{
		Resources.gravestone,
		Resources.gravestoneReg,
		Resources.gravestoneFootball,
		Resources.gravestoneFlag,
		Resources.gravestoneCone,
		Resources.gravestoneBucket
};

private double spawnDelay = 20 * 60 * 0.1;//PvZ_Main.zombieSpawnDelay; // 20 = 1 sec
private int maxNearbyEntities = 10;

/**
* Allows the entity to update its state. Overridden in most subclasses, e.g. the mob spawner uses this to count
* ticks and creates a new spawn inside its implementation.
*/
public void updateEntity() {

	double spawnDelay = this.spawnDelay;

	if( ! this.getWorldObj().isRemote) {
		if(spawnDelay > 0) {
			spawnDelay -= 1.0;
			return;
		}

		if(facing == -1) {
			facing = 0;
			System.out.println("facing was -1");
		}

		Entity entity = new EntityZombie(this.getWorldObj());
            
            List<Entity> entList = this.getWorldObj().getEntitiesWithinAABB(
				entity.getClass(),
				AxisAlignedBB.getAABBPool().getAABB(
						(double)this.xCoord-3,
						(double)this.yCoord,
						(double)this.zCoord-3,
						(double)this.xCoord+3,
						(double)this.yCoord,
						(double)this.zCoord+3
					));


		/*for(int i = 0; i < entList.size(); i++) {
			if( !( entList.get(i) instanceof EntityZombie ) ) {
				entList.remove(i);
			}
		}*/
		int j = entList.size();
            if (j >= this.maxNearbyEntities)
            {
                return;
            }
		PvZ_Util.checkUnder(getWorldObj(), this.xCoord, this.yCoord, this.zCoord, 4);
		System.out.println("Spawn wave");



        PvZ_Util.spawnRandZombie(this.worldObj, this.xCoord, this.yCoord, this.zCoord, facing, type);

        
        
		spawnDelay = this.spawnDelay;

	}
	super.updateEntity();
	//System.out.println(facing + ":" + type);

	PacketDispatcher.sendPacketToServer(new GravestoneChangePacket(this.facing, this.type, this,
			this.xCoord, this.yCoord, this.zCoord).makePacket());
}


}

 

PacketHandler

package mods.CountryGamer_PlantsVsZombies;

import java.net.ProtocolException;
import java.util.logging.Logger;

import javax.management.ReflectionException;

import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.entity.player.EntityPlayerMP;
import net.minecraft.network.INetworkManager;
import net.minecraft.network.packet.Packet250CustomPayload;

import com.google.common.io.ByteArrayDataInput;
import com.google.common.io.ByteStreams;

import cpw.mods.fml.common.network.IPacketHandler;
import cpw.mods.fml.common.network.Player;
import cpw.mods.fml.relauncher.Side;

/**
* 
* @author Arbiter
*
*/
public class PvZPacketHandler implements IPacketHandler
{
@Override
public void onPacketData(INetworkManager manager, Packet250CustomPayload packet, Player player)
{
	try
	{
		EntityPlayer entityPlayer = (EntityPlayer)player;
		ByteArrayDataInput in = ByteStreams.newDataInput(packet.data);
		int packetId = in.readUnsignedByte();
		PvZPacket packetBase = PvZPacket.constructPacket(packetId);
		packetBase.read(in);
		packetBase.execute(entityPlayer, entityPlayer.worldObj.isRemote ? Side.CLIENT : Side.SERVER);
	}
	catch (ReflectionException e)
	{
		throw new RuntimeException("Unexpected Reflection exception during Packet construction");
	} catch (mods.CountryGamer_PlantsVsZombies.PvZPacket.ProtocolException e) {
		// TODO Auto-generated catch block
		e.printStackTrace();
	} catch (InstantiationException e) {
		// TODO Auto-generated catch block
		e.printStackTrace();
	} catch (IllegalAccessException e) {
		// TODO Auto-generated catch block
		e.printStackTrace();
	}
}
}

 

Packet

package mods.CountryGamer_PlantsVsZombies;

import javax.management.ReflectionException;

import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.network.packet.Packet;

import com.google.common.collect.BiMap;
import com.google.common.collect.ImmutableBiMap;
import com.google.common.io.ByteArrayDataInput;
import com.google.common.io.ByteArrayDataOutput;
import com.google.common.io.ByteStreams;

import cpw.mods.fml.common.network.PacketDispatcher;
import cpw.mods.fml.relauncher.Side;

/**
* 
* @author Arbiter
*
*/
public abstract class PvZPacket
{
public static final String CHANNEL = "lbd";
private static final BiMap<Integer, Class<? extends PvZPacket>> idMap;

static
{
	ImmutableBiMap.Builder<Integer, Class<? extends PvZPacket>> builder = ImmutableBiMap.builder();
	idMap = builder.build();
}	
public static PvZPacket constructPacket(int packetId) throws ProtocolException, ReflectionException, InstantiationException, IllegalAccessException
{
	Class<? extends PvZPacket> theClass = idMap.get(Integer.valueOf(packetId));
	if (theClass == null)
	{
		throw new ProtocolException("Unknown packet id");
	}
	else
	{
		return theClass.newInstance();
	}
}	
public static class ProtocolException extends Exception
{
	public ProtocolException()
	{

	}
	public ProtocolException(String message, Throwable cause)
	{
		super(message, cause);
	}
	public ProtocolException(String message)
	{
		super(message);
	}
	public ProtocolException(Throwable cause)
	{
		super(cause);
	}
}
public abstract void write(ByteArrayDataOutput out);

public abstract void read(ByteArrayDataInput in) throws ProtocolException;

public abstract void execute(EntityPlayer par1EntityPlayer, Side par2Side) throws ProtocolException;


public final int getPacketId() {
        if (idMap.inverse().containsKey(getClass())) {
                return idMap.inverse().get(getClass()).intValue();
        } else {
                throw new RuntimeException("Packet " + getClass().getSimpleName() + " is missing a mapping!");
        }
}

public final Packet makePacket() {
        ByteArrayDataOutput out = ByteStreams.newDataOutput();
        out.writeByte(getPacketId());
        write(out);
        return PacketDispatcher.getPacket(CHANNEL, out.toByteArray());
}

}

 

Block Packet

package mods.CountryGamer_PlantsVsZombies;

import mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone;
import net.minecraft.entity.player.EntityPlayer;

import com.google.common.io.ByteArrayDataInput;
import com.google.common.io.ByteArrayDataOutput;

import cpw.mods.fml.relauncher.Side;



/**
* 
* @author Arbiter
*
*/
public class GravestoneChangePacket extends PvZPacket
{
private int facing, type;
private TileEntityGravestone tileEntity;

public GravestoneChangePacket(int facing, int type, TileEntityGravestone par2, int x, int y, int z)
{
	this.facing = facing;
	this.type = type;
	tileEntity = (TileEntityGravestone)par2.worldObj.getBlockTileEntity(x, y, z);
}
public GravestoneChangePacket()
{

}
@Override
public void write(ByteArrayDataOutput out)
{
	out.writeInt(facing);
	out.writeInt(type);
}
@Override
public void read(ByteArrayDataInput in) throws ProtocolException
{
	facing = in.readInt();
	type = in.readInt();
}
@Override
public void execute(EntityPlayer player, Side side) throws ProtocolException
{
	if (side.isClient())
	{
		System.out.println(tileEntity.facing);
		System.out.println(this.facing);
		tileEntity.facing = this.facing;
		System.out.println(tileEntity.type);
		System.out.println(this.type);
		tileEntity.type = this.type;
	}
	else
	{
		throw new ProtocolException("Cannot send packet to server");
	}
}
}

 

Block Class

package mods.CountryGamer_PlantsVsZombies.Blocks;

import java.util.ArrayList;
import java.util.Random;

import mods.CountryGamer_PlantsVsZombies.PvZ_Main;
import mods.CountryGamer_PlantsVsZombies.PvZ_Util;
import mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone;
import net.minecraft.block.BlockContainer;
import net.minecraft.block.material.Material;
import net.minecraft.client.renderer.texture.IconRegister;
import net.minecraft.entity.EntityLivingBase;
import net.minecraft.item.Item;
import net.minecraft.item.ItemStack;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.util.AxisAlignedBB;
import net.minecraft.world.World;
import cpw.mods.fml.relauncher.Side;
import cpw.mods.fml.relauncher.SideOnly;

public class BlockGravestone extends BlockContainer {

private Class entityClass;
public TileEntityGravestone gravestoneTE;
public int type = 0;


public BlockGravestone(int id, int type, Class tClass) {
	super(id, Material.rock);
	entityClass = tClass;
	this.type = type;
	this.setHardness(0.2F).setResistance(3F);
	this.setBlockBounds(0.0F, 0.0F, 0.0F, 1.0F, 1.0F, 1.0F);
	this.setCreativeTab(PvZ_Main.pvzTab);
}

@SideOnly(Side.CLIENT)
public void registerIcons(IconRegister iconReg) {
	this.blockIcon = iconReg.registerIcon(PvZ_Main.base_Tex + (this.getUnlocalizedName().substring(5)));
}

public AxisAlignedBB getCollisionBoundingBoxFromPool(World world, int i, int j, int k)
{
	return null;
}

public TileEntity getBlockEntity() {
	try {
		return (TileEntity)entityClass.newInstance();
	}catch(Exception exception) {
		throw new RuntimeException(exception);
	}
}
@Override
public ArrayList<ItemStack> getBlockDropped(World world, int x, int y, int z,
		int metadata, int fortune) {
	ArrayList<ItemStack> ret = new ArrayList<ItemStack>();
	switch(gravestoneTE.type) {
		case 1:
			ret.add(new ItemStack(Item.rottenFlesh, );
			break;
		case 2:
			int i = world.rand.nextInt(4);
			switch(i) {
				case 0:
					ret.add(new ItemStack(PvZ_Main.footballHelm, 1));						
					break;
				case 1:
					ret.add(new ItemStack(PvZ_Main.footballChest, 1));
					break;
				case 2:
					ret.add(new ItemStack(PvZ_Main.footballLegs, 1));
					break;
				case 3:
					ret.add(new ItemStack(PvZ_Main.footballBoots, 1));
					break;
				default:
					ret.add(new ItemStack(PvZ_Main.footballHelm, 1));
					ret.add(new ItemStack(PvZ_Main.footballChest, 1));
					ret.add(new ItemStack(PvZ_Main.footballLegs, 1));
					ret.add(new ItemStack(PvZ_Main.footballBoots, 1));
					break;
			}
			break;
		case 3:
			ret.add(new ItemStack(PvZ_Main.flag, 1));	
			break;
		case 4:
			//ret.add(new ItemStack(PvZ_Main.cone, 1));	
			break;
		case 5:
			ret.add(new ItemStack(Item.bucketEmpty, 1));	
			break;
		default:
			ret.clear();
			break;
	}
	return ret;
}
@Override
protected boolean canSilkHarvest() { return true; }
public int quantityDropped(Random rand) {
	return 1;
}
public int getRenderType() {
	return -1;
}
public boolean isOpaqueCube() {
	return false;
}
public boolean renderAsNormalBlock() {
	return false;
}
public TileEntity createNewTileEntity(World world) {
	return new TileEntityGravestone();
}


public void onBlockAdded(World world, int x, int y, int z) {
	super.onBlockAdded(world, x, y, z);

	TileEntity tile = world.getBlockTileEntity(x, y, z);
	if( tile instanceof TileEntityGravestone) {
		gravestoneTE = ((TileEntityGravestone)tile);
	}else System.out.println("Tile Error");


	//gravestoneTE.setFacing(0);
}




/** Orientation */
public void onBlockPlacedBy(World world, int x, int y, int z, EntityLivingBase par5EntityLivingBase, ItemStack par6ItemStack)
    {
	onBlockAdded(world, x, y, z);
        
	if(gravestoneTE.facing < 0) {
		int facing = PvZ_Util.checkFacing(world, x, y, z, par5EntityLivingBase, par6ItemStack, this.gravestoneTE);
        	this.gravestoneTE.facing = facing;
	}
	if(gravestoneTE.type <= 0)
		this.gravestoneTE.type = type;
        
        PvZ_Util.spawnRandZombie(world, x, y, z, gravestoneTE.facing, gravestoneTE.type);
    }

}

 

 

Posted
  On 8/14/2013 at 10:34 PM, Country_Gamer said:

I hope you guys dont mind me poking my head in here! haha

I have a block that needs to save its facing AND type (this affects mechanics and model texture). It is a custom model.

I have TileEntities setup, and just went through all the packet stuff above. But I am getting this error in the Packet class.

Error

Aug 14, 2013 6:22:57 PM net.minecraft.launchwrapper.LogWrapper log
INFO: Using tweak class name cpw.mods.fml.common.launcher.FMLTweaker
2013-08-14 18:22:57 [iNFO] [ForgeModLoader] Forge Mod Loader version 6.2.35.804 for Minecraft 1.6.2 loading
2013-08-14 18:22:57 [iNFO] [ForgeModLoader] Java is Java HotSpot(TM) 64-Bit Server VM, version 1.6.0_51, running on Mac OS X:x86_64:10.8.4, installed at /System/Library/Java/JavaVirtualMachines/1.6.0.jdk/Contents/Home
2013-08-14 18:22:57 [iNFO] [ForgeModLoader] Managed to load a deobfuscated Minecraft name- we are in a deobfuscated environment. Skipping runtime deobfuscation
2013-08-14 18:22:57 [WARNING] [ForgeModLoader] The coremod codechicken.core.launch.CodeChickenCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft
2013-08-14 18:23:00 [WARNING] [ForgeModLoader] The coremod codechicken.nei.asm.NEICorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft
2013-08-14 18:23:00 [iNFO] [sTDOUT] Loaded 39 rules from AccessTransformer config file fml_at.cfg
2013-08-14 18:23:00 [iNFO] [sTDOUT] Loaded 107 rules from AccessTransformer config file forge_at.cfg
2013-08-14 18:23:00 [iNFO] [sTDOUT] Loaded 39 rules from AccessTransformer config file fml_at.cfg
2013-08-14 18:23:01 [sEVERE] [ForgeModLoader] The binary patch set is missing. Either you are in a development environment, or things are not going to work!
2013-08-14 18:23:01 [iNFO] [sTDOUT] Adding AccessTransformer: nei_at.cfg
2013-08-14 18:23:01 [iNFO] [sTDOUT] Adding Accesstransformer map: temp.dat
2013-08-14 18:23:01 [iNFO] [sTDOUT] Loaded 53 rules from AccessTransformer config file temp.dat
2013-08-14 18:23:02 [iNFO] [ForgeModLoader] Launching wrapped minecraft
2013-08-14 18:23:04 [iNFO] [sTDOUT] Inserted super call into net.minecraft.client.gui.inventory.GuiInventory.updateScreen
2013-08-14 18:23:04 [iNFO] [sTDOUT] net.minecraft.client.gui.inventory.GuiContainer was overriden from NotEnoughItems-dev 1.6.0.7.jar
2013-08-14 18:23:04 [iNFO] [Minecraft-Client] Setting user: Player449
2013-08-14 18:23:04 [iNFO] [Minecraft-Client] (Session ID is null)
2013-08-14 18:23:05 [iNFO] [sTDOUT] Generated BlockMobSpawner helper method.
2013-08-14 18:23:06 [iNFO] [Minecraft-Client] LWJGL Version: 2.9.0
2013-08-14 18:23:08 [iNFO] [Minecraft-Client] Reloading ResourceManager: Default
2013-08-14 18:23:09 [iNFO] [sTDOUT] 
2013-08-14 18:23:09 [iNFO] [sTDOUT] Starting up SoundSystem...
2013-08-14 18:23:09 [iNFO] [MinecraftForge] Attempting early MinecraftForge initialization
2013-08-14 18:23:09 [iNFO] [sTDOUT] MinecraftForge v9.10.0.804 Initialized
2013-08-14 18:23:09 [iNFO] [ForgeModLoader] MinecraftForge v9.10.0.804 Initialized
2013-08-14 18:23:09 [iNFO] [sTDOUT] Initializing LWJGL OpenAL
2013-08-14 18:23:09 [iNFO] [sTDOUT]     (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org)
2013-08-14 18:23:09 [iNFO] [sTDOUT] Replaced 101 ore recipies
2013-08-14 18:23:09 [iNFO] [MinecraftForge] Completed early MinecraftForge initialization
2013-08-14 18:23:09 [iNFO] [sTDOUT] OpenAL initialized.
2013-08-14 18:23:09 [iNFO] [ForgeModLoader] Reading custom logging properties from /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/jars/config/logging.properties
2013-08-14 18:23:09 [OFF] [ForgeModLoader] Logging level for ForgeModLoader logging is set to ALL
2013-08-14 18:23:09 [iNFO] [sTDOUT] 
2013-08-14 18:23:09 [iNFO] [ForgeModLoader] Searching /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/jars/mods for mods
2013-08-14 18:23:12 [iNFO] [ForgeModLoader] Attempting to reparse the mod container bin
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] Forge Mod Loader has identified 11 mods to load
2013-08-14 18:23:14 [iNFO] [mcp] Activating mod mcp
2013-08-14 18:23:14 [iNFO] [FML] Activating mod FML
2013-08-14 18:23:14 [iNFO] [Forge] Activating mod Forge
2013-08-14 18:23:14 [iNFO] [CodeChickenCore] Activating mod CodeChickenCore
2013-08-14 18:23:14 [iNFO] [NotEnoughItems] Activating mod NotEnoughItems
2013-08-14 18:23:14 [iNFO] [CountryGamer_BetterVillages2.0] Activating mod CountryGamer_BetterVillages2.0
2013-08-14 18:23:14 [iNFO] [CountryGamer_Misc] Activating mod CountryGamer_Misc
2013-08-14 18:23:14 [iNFO] [CountryGamer_PlantsVsZombies] Activating mod CountryGamer_PlantsVsZombies
2013-08-14 18:23:14 [iNFO] [CountryGamer_PvZExtensions] Activating mod CountryGamer_PvZExtensions
2013-08-14 18:23:14 [iNFO] [CountryGamer_Tardis] Activating mod CountryGamer_Tardis
2013-08-14 18:23:14 [iNFO] [DamageIndicatorsMod] Activating mod DamageIndicatorsMod
2013-08-14 18:23:14 [WARNING] [Not Enough Items] Mod Not Enough Items is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [better Villages 2.0] Mod Better Villages 2.0 is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [Country Gamer ModPack; Misc Mod] Mod Country Gamer ModPack; Misc Mod is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [Plants Vs Zombies] Mod Plants Vs Zombies is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [PvZ Extensions] Mod PvZ Extensions is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [Tardis] Mod Tardis is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [WARNING] [Damage Indicators] Mod Damage Indicators is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:14 [iNFO] [Minecraft-Client] Reloading ResourceManager: Default, FMLFileResourcePack:Not Enough Items, FMLFileResourcePack:Better Villages 2.0, FMLFileResourcePack:Country Gamer ModPack; Misc Mod, FMLFileResourcePack:Plants Vs Zombies, FMLFileResourcePack:PvZ Extensions, FMLFileResourcePack:Tardis, FMLFileResourcePack:Damage Indicators
2013-08-14 18:23:14 [iNFO] [sTDOUT] 
2013-08-14 18:23:14 [iNFO] [sTDOUT] SoundSystem shutting down...
2013-08-14 18:23:14 [iNFO] [sTDOUT]     Author: Paul Lamb, www.paulscode.com
2013-08-14 18:23:14 [iNFO] [sTDOUT] 
2013-08-14 18:23:14 [iNFO] [sTDOUT] 
2013-08-14 18:23:14 [iNFO] [sTDOUT] Starting up SoundSystem...
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] FML has found a non-mod file CodeChickenCore 0.9.0.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] FML has found a non-mod file CodeChickenLib-dev-1.6.2-1.0.0.9.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] FML has found a non-mod file CodeChickenLib-universal-1.6.2-1.0.0.9.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] FML has found a non-mod file NotEnoughItems-dev 1.6.0.7.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] Registering Forge Packet Handler
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] Succeeded registering Forge Packet Handler
2013-08-14 18:23:14 [iNFO] [sTDOUT] Initializing LWJGL OpenAL
2013-08-14 18:23:14 [iNFO] [sTDOUT]     (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org)
2013-08-14 18:23:14 [iNFO] [sTDOUT] OpenAL initialized.
2013-08-14 18:23:14 [iNFO] [ForgeModLoader] Configured a dormant chunk cache size of 0
2013-08-14 18:23:15 [iNFO] [sTDOUT] 
2013-08-14 18:23:15 [iNFO] [sTDOUT] Removing TMI Uninstaller
2013-08-14 18:23:15 [iNFO] [sTDOUT] Deleting Dir: /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/eclipse/Minecraft/bin/net/minecraft/client/TMIUninstaller
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 1 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 2 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 8 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 9 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 10 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 11 which is already reserved. This could cause severe problems
2013-08-14 18:23:16 [iNFO] [ForgeModLoader] Forge Mod Loader has successfully loaded 11 mods
2013-08-14 18:23:16 [WARNING] [Not Enough Items] Mod Not Enough Items is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [better Villages 2.0] Mod Better Villages 2.0 is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [Country Gamer ModPack; Misc Mod] Mod Country Gamer ModPack; Misc Mod is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [Plants Vs Zombies] Mod Plants Vs Zombies is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [PvZ Extensions] Mod PvZ Extensions is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [Tardis] Mod Tardis is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [WARNING] [Damage Indicators] Mod Damage Indicators is missing a pack.mcmeta file, things may not work well
2013-08-14 18:23:16 [iNFO] [Minecraft-Client] Reloading ResourceManager: Default, FMLFileResourcePack:Not Enough Items, FMLFileResourcePack:Better Villages 2.0, FMLFileResourcePack:Country Gamer ModPack; Misc Mod, FMLFileResourcePack:Plants Vs Zombies, FMLFileResourcePack:PvZ Extensions, FMLFileResourcePack:Tardis, FMLFileResourcePack:Damage Indicators
2013-08-14 18:23:16 [sEVERE] [Minecraft-Client] Using missing texture, unable to load: countrygamer_tardis:textures/items/tardisKey.png
2013-08-14 18:23:16 [iNFO] [sTDOUT] 
2013-08-14 18:23:16 [iNFO] [sTDOUT] SoundSystem shutting down...
2013-08-14 18:23:16 [iNFO] [sTDOUT]     Author: Paul Lamb, www.paulscode.com
2013-08-14 18:23:16 [iNFO] [sTDOUT] 
2013-08-14 18:23:16 [iNFO] [sTDOUT] 
2013-08-14 18:23:16 [iNFO] [sTDOUT] Starting up SoundSystem...
2013-08-14 18:23:16 [sEVERE] [Minecraft-Client] ########## GL ERROR ##########
2013-08-14 18:23:16 [sEVERE] [Minecraft-Client] @ Post startup
2013-08-14 18:23:16 [sEVERE] [Minecraft-Client] 1281: Invalid value
2013-08-14 18:23:17 [iNFO] [sTDOUT] Initializing LWJGL OpenAL
2013-08-14 18:23:17 [iNFO] [sTDOUT]     (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org)
2013-08-14 18:23:17 [iNFO] [sTDOUT] OpenAL initialized.
2013-08-14 18:23:17 [iNFO] [sTDOUT] 
2013-08-14 18:23:17 [sEVERE] [Minecraft-Client] Realms: Invalid session id
2013-08-14 18:23:21 [iNFO] [Minecraft-Server] Starting integrated minecraft server version 1.6.2
2013-08-14 18:23:21 [iNFO] [Minecraft-Server] Generating keypair
2013-08-14 18:23:21 [iNFO] [ForgeModLoader] Loading dimension 0 (New World) (net.minecraft.server.integrated.IntegratedServer@3079279)
2013-08-14 18:23:21 [iNFO] [ForgeModLoader] Loading dimension 1 (New World) (net.minecraft.server.integrated.IntegratedServer@3079279)
2013-08-14 18:23:21 [iNFO] [ForgeModLoader] Loading dimension -1 (New World) (net.minecraft.server.integrated.IntegratedServer@3079279)
2013-08-14 18:23:21 [iNFO] [Minecraft-Server] Preparing start region for level 0
2013-08-14 18:23:22 [iNFO] [DamageIndicatorsMod] Server no longer requires this mod to function!
2013-08-14 18:23:22 [WARNING] [Minecraft-Server] Server no longer requires Damage Indicators to function client side!
2013-08-14 18:23:22 [iNFO] [sTDOUT] Loading NEI
2013-08-14 18:23:22 [iNFO] [sTDOUT] loading single player
2013-08-14 18:23:22 [iNFO] [Minecraft-Server] Player449[/127.0.0.1:0] logged in with entity id 183 at (-180.9020783888061, 68.0, 173.26330801090847)
2013-08-14 18:23:22 [iNFO] [Minecraft-Server] Player449 joined the game
2013-08-14 18:23:22 [iNFO] [sTDOUT] Loading Player: Player449
2013-08-14 18:23:22 [iNFO] [sTDOUT] Sending serverside check to: Player449
2013-08-14 18:23:23 [iNFO] [sTDOUT] Setting up custom skins
2013-08-14 18:23:23 [iNFO] [sTDOUT] Loading World: local/New World
2013-08-14 18:23:24 [iNFO] [Minecraft-Client] [CHAT] Version 0.9.0.3 of CodeChickenCore is available
2013-08-14 18:23:24 [iNFO] [Minecraft-Client] [CHAT] Version 1.6.1.2 of NotEnoughItems is available
2013-08-14 18:23:24 [iNFO] [Minecraft-Client] [CHAT] Damage Indicators Mod v.2.9.0.0 is up to date.
2013-08-14 18:23:26 [iNFO] [sTDOUT] facing = 2
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Stopping server
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving players
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Player449 left the game
2013-08-14 18:23:27 [iNFO] [sTDOUT] Unloading Player: Player449
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving worlds
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving chunks for level 'New World'/Overworld
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving chunks for level 'New World'/Nether
2013-08-14 18:23:27 [iNFO] [Minecraft-Server] Saving chunks for level 'New World'/The End
2013-08-14 18:23:28 [iNFO] [ForgeModLoader] Unloading dimension 0
2013-08-14 18:23:28 [iNFO] [ForgeModLoader] Unloading dimension -1
2013-08-14 18:23:28 [iNFO] [ForgeModLoader] Unloading dimension 1
2013-08-14 18:23:28 [iNFO] [sTDERR] net.minecraft.util.ReportedException: Ticking tile entity
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.world.World.updateEntities(World.java:2219)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.client.Minecraft.runTick(Minecraft.java:1907)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.client.Minecraft.runGameLoop(Minecraft.java:898)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:826)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.client.main.Main.main(Main.java:93)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at java.lang.reflect.Method.invoke(Method.java:597)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.launchwrapper.Launch.launch(Launch.java:57)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.launchwrapper.Launch.main(Launch.java:18)
2013-08-14 18:23:28 [iNFO] [sTDERR] Caused by: java.lang.RuntimeException: Packet GravestoneChangePacket is missing a mapping!
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.getPacketId(PvZPacket.java:74)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.makePacket(PvZPacket.java:80)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone.updateEntity(TileEntityGravestone.java:90)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	at net.minecraft.world.World.updateEntities(World.java:2204)
2013-08-14 18:23:28 [iNFO] [sTDERR] 	... 10 more
2013-08-14 18:23:28 [iNFO] [sTDOUT] ---- Minecraft Crash Report ----
2013-08-14 18:23:28 [iNFO] [sTDOUT] // On the bright side, I bought you a teddy bear!
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] Time: 8/14/13 6:23 PM
2013-08-14 18:23:28 [iNFO] [sTDOUT] Description: Ticking tile entity
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] java.lang.RuntimeException: Packet GravestoneChangePacket is missing a mapping!
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.getPacketId(PvZPacket.java:74)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.makePacket(PvZPacket.java:80)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone.updateEntity(TileEntityGravestone.java:90)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.world.World.updateEntities(World.java:2204)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.runTick(Minecraft.java:1907)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.runGameLoop(Minecraft.java:898)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:826)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.main.Main.main(Main.java:93)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at java.lang.reflect.Method.invoke(Method.java:597)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.launch(Launch.java:57)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.main(Launch.java:18)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] A detailed walkthrough of the error, its code path and all known details is as follows:
2013-08-14 18:23:28 [iNFO] [sTDOUT] ---------------------------------------------------------------------------------------
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] -- Head --
2013-08-14 18:23:28 [iNFO] [sTDOUT] Stacktrace:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.getPacketId(PvZPacket.java:74)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.makePacket(PvZPacket.java:80)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone.updateEntity(TileEntityGravestone.java:90)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] -- Tile entity being ticked --
2013-08-14 18:23:28 [iNFO] [sTDOUT] Details:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Name: Gravestone // mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Block type: ID #506 (tile.gravestoneReg // mods.CountryGamer_PlantsVsZombies.Blocks.BlockGravestone)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Block data value: 0 / 0x0 / 0b0000
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Block location: World: (-181,68,170), Chunk: (at 11,4,10 in -12,10; contains blocks -192,0,160 to -177,255,175), Region: (-1,0; contains chunks -32,0 to -1,31, blocks -512,0,0 to -1,255,511)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Actual block type: ID #506 (tile.gravestoneReg // mods.CountryGamer_PlantsVsZombies.Blocks.BlockGravestone)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Actual block data value: 0 / 0x0 / 0b0000
2013-08-14 18:23:28 [iNFO] [sTDOUT] Stacktrace:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.world.World.updateEntities(World.java:2204)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] -- Affected level --
2013-08-14 18:23:28 [iNFO] [sTDOUT] Details:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level name: MpServer
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	All players: 1 total; [EntityClientPlayerMP['Player449'/183, l='MpServer', x=-180.90, y=69.62, z=173.26]]
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Chunk stats: MultiplayerChunkCache: 405
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level seed: 0
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level generator: ID 00 - default, ver 1. Features enabled: false
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level generator options: 
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level spawn location: World: (-200,64,221), Chunk: (at 8,4,13 in -13,13; contains blocks -208,0,208 to -193,255,223), Region: (-1,0; contains chunks -32,0 to -1,31, blocks -512,0,0 to -1,255,511)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level time: 56497 game time, 6000 day time
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level dimension: 0
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level storage version: 0x00000 - Unknown?
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level weather: Rain time: 0 (now: false), thunder time: 0 (now: false)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Level game mode: Game mode: creative (ID 1). Hardcore: false. Cheats: false
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Forced entities: 40 total; [EntityBat['Bat'/137, l='MpServer', x=-129.25, y=41.10, z=130.72], EntityBat['Bat'/136, l='MpServer', x=-144.11, y=22.00, z=139.16], EntityClientPlayerMP['Player449'/183, l='MpServer', x=-180.90, y=69.62, z=173.26], EntityChicken['Chicken'/143, l='MpServer', x=-123.38, y=71.00, z=101.56], EntityBat['Bat'/129, l='MpServer', x=-154.25, y=24.10, z=130.75], EntityBat['Bat'/128, l='MpServer', x=-152.07, y=22.00, z=138.83], EntityBat['Bat'/131, l='MpServer', x=-146.73, y=45.13, z=179.40], EntityBat['Bat'/130, l='MpServer', x=-149.71, y=22.15, z=138.38], EntitySheep['Sheep'/135, l='MpServer', x=-134.41, y=72.00, z=94.47], EntityZombie['Zombie'/220, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/221, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/222, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/223, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityChicken['Chicken'/159, l='MpServer', x=-111.94, y=64.00, z=119.88], EntityZombie['Zombie'/219, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityBat['Bat'/93, l='MpServer', x=-226.35, y=34.10, z=198.25], EntitySheep['Sheep'/144, l='MpServer', x=-114.88, y=62.00, z=120.53], EntityChicken['Chicken'/145, l='MpServer', x=-124.22, y=71.00, z=114.78], EntityBat['Bat'/92, l='MpServer', x=-225.47, y=35.10, z=197.75], EntityChicken['Chicken'/146, l='MpServer', x=-112.38, y=65.00, z=122.28], EntityBat['Bat'/94, l='MpServer', x=-236.25, y=27.10, z=232.75], EntityChicken['Chicken'/147, l='MpServer', x=-114.41, y=64.00, z=121.47], EntityBat['Bat'/89, l='MpServer', x=-250.43, y=24.50, z=229.38], EntityChicken['Chicken'/148, l='MpServer', x=-126.56, y=70.00, z=124.17], EntityBat['Bat'/88, l='MpServer', x=-253.63, y=33.10, z=194.38], EntitySheep['Sheep'/149, l='MpServer', x=-115.38, y=71.00, z=134.40], EntityChicken['Chicken'/150, l='MpServer', x=-120.19, y=70.00, z=147.53], EntityBat['Bat'/98, l='MpServer', x=-229.33, y=20.08, z=226.46], EntityPig['Pig'/99, l='MpServer', x=-217.91, y=65.00, z=247.13], EntityPig['Pig'/97, l='MpServer', x=-221.19, y=64.00, z=212.84], EntityBat['Bat'/110, l='MpServer', x=-180.54, y=49.73, z=115.52], EntityZombie['Zombie'/229, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/228, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityItem['item.item.sulphur'/106, l='MpServer', x=-194.22, y=68.13, z=174.72], EntityZombie['Zombie'/227, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/226, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/225, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityZombie['Zombie'/224, l='MpServer', x=0.00, y=-0.06, z=0.00], EntityBat['Bat'/121, l='MpServer', x=-170.20, y=38.74, z=153.71], EntityBat['Bat'/120, l='MpServer', x=-172.78, y=43.10, z=102.88]]
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Retry entities: 0 total; []
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Server brand: fml,forge
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Server type: Integrated singleplayer server
2013-08-14 18:23:28 [iNFO] [sTDOUT] Stacktrace:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.multiplayer.WorldClient.addWorldInfoToCrashReport(WorldClient.java:440)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.addGraphicsAndWorldToCrashReport(Minecraft.java:2298)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:844)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.client.main.Main.main(Main.java:93)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at java.lang.reflect.Method.invoke(Method.java:597)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.launch(Launch.java:57)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.main(Launch.java:18)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 
2013-08-14 18:23:28 [iNFO] [sTDOUT] -- System Details --
2013-08-14 18:23:28 [iNFO] [sTDOUT] Details:
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Minecraft Version: 1.6.2
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Operating System: Mac OS X (x86_64) version 10.8.4
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Java Version: 1.6.0_51, Apple Inc.
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Java VM Version: Java HotSpot(TM) 64-Bit Server VM (mixed mode), Apple Inc.
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Memory: 904307512 bytes (862 MB) / 1065025536 bytes (1015 MB) up to 1065025536 bytes (1015 MB)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	JVM Flags: 3 total; -Xincgc -Xmx1024M -Xms1024M
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	AABB Pool Size: 20872 (1168832 bytes; 1 MB) allocated, 458 (25648 bytes; 0 MB) used
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Suspicious classes: FML and Forge are installed
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	IntCache: cache: 0, tcache: 0, allocated: 1, tallocated: 63
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	FML: MCP v8.04 FML v6.2.35.804 Minecraft Forge 9.10.0.804 11 mods loaded, 11 mods active
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	mcp{8.04} [Minecraft Coder Pack] (minecraft.jar) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	FML{6.2.35.804} [Forge Mod Loader] (coremods) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Forge{9.10.0.804} [Minecraft Forge] (coremods) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CodeChickenCore{0.9.0.0} [CodeChicken Core] (coremods) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	NotEnoughItems{1.6.0.7} [Not Enough Items] (NotEnoughItems-dev 1.6.0.7.jar) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_BetterVillages2.0{1.0} [better Villages 2.0] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_Misc{1.0} [Country Gamer ModPack; Misc Mod] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_PlantsVsZombies{2.3} [Plants Vs Zombies] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_PvZExtensions{2.2} [PvZ Extensions] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	CountryGamer_Tardis{1.0} [Tardis] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	DamageIndicatorsMod{2.9.0.0} [Damage Indicators] (1.6.2 DamageIndicators v2.9.0.0.zip) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Launched Version: 1.6
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	LWJGL: 2.9.0
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	OpenGL: Intel HD Graphics 3000 OpenGL Engine GL version 2.1 INTEL-8.12.47, Intel Inc.
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Is Modded: Definitely; Client brand changed to 'fml,forge'
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Type: Client (map_client.txt)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Resource Pack: Default
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Current Language: English (US)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Profiler Position: N/A (disabled)
2013-08-14 18:23:28 [iNFO] [sTDOUT] 	Vec3 Pool Size: 701 (39256 bytes; 0 MB) allocated, 87 (4872 bytes; 0 MB) used
2013-08-14 18:23:28 [iNFO] [sTDOUT] #@!@# Game crashed! Crash report saved to: #@!@# /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/jars/./crash-reports/crash-2013-08-14_18.23.28-client.txt
AL lib: (EE) alc_cleanup: 1 device not closed

 

TileEnt

package mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts;

import java.util.List;

import mods.CountryGamer_PlantsVsZombies.GravestoneChangePacket;
import mods.CountryGamer_PlantsVsZombies.PvZ_Util;
import mods.CountryGamer_PlantsVsZombies.Resources;
import net.minecraft.entity.Entity;
import net.minecraft.entity.monster.EntityZombie;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.util.AxisAlignedBB;
import net.minecraft.util.ResourceLocation;
import cpw.mods.fml.common.network.PacketDispatcher;

public class TileEntityGravestone extends TileEntity {

public int facing=-1;
public int type=0;
public ResourceLocation[] typeTexture = new ResourceLocation[]{
		Resources.gravestone,
		Resources.gravestoneReg,
		Resources.gravestoneFootball,
		Resources.gravestoneFlag,
		Resources.gravestoneCone,
		Resources.gravestoneBucket
};

private double spawnDelay = 20 * 60 * 0.1;//PvZ_Main.zombieSpawnDelay; // 20 = 1 sec
private int maxNearbyEntities = 10;

/**
* Allows the entity to update its state. Overridden in most subclasses, e.g. the mob spawner uses this to count
* ticks and creates a new spawn inside its implementation.
*/
public void updateEntity() {

	double spawnDelay = this.spawnDelay;

	if( ! this.getWorldObj().isRemote) {
		if(spawnDelay > 0) {
			spawnDelay -= 1.0;
			return;
		}

		if(facing == -1) {
			facing = 0;
			System.out.println("facing was -1");
		}

		Entity entity = new EntityZombie(this.getWorldObj());
            
            List<Entity> entList = this.getWorldObj().getEntitiesWithinAABB(
				entity.getClass(),
				AxisAlignedBB.getAABBPool().getAABB(
						(double)this.xCoord-3,
						(double)this.yCoord,
						(double)this.zCoord-3,
						(double)this.xCoord+3,
						(double)this.yCoord,
						(double)this.zCoord+3
					));


		/*for(int i = 0; i < entList.size(); i++) {
			if( !( entList.get(i) instanceof EntityZombie ) ) {
				entList.remove(i);
			}
		}*/
		int j = entList.size();
            if (j >= this.maxNearbyEntities)
            {
                return;
            }
		PvZ_Util.checkUnder(getWorldObj(), this.xCoord, this.yCoord, this.zCoord, 4);
		System.out.println("Spawn wave");



        PvZ_Util.spawnRandZombie(this.worldObj, this.xCoord, this.yCoord, this.zCoord, facing, type);

        
        
		spawnDelay = this.spawnDelay;

	}
	super.updateEntity();
	//System.out.println(facing + ":" + type);

	PacketDispatcher.sendPacketToServer(new GravestoneChangePacket(this.facing, this.type, this,
			this.xCoord, this.yCoord, this.zCoord).makePacket());
}


}

 

PacketHandler

package mods.CountryGamer_PlantsVsZombies;

import java.net.ProtocolException;
import java.util.logging.Logger;

import javax.management.ReflectionException;

import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.entity.player.EntityPlayerMP;
import net.minecraft.network.INetworkManager;
import net.minecraft.network.packet.Packet250CustomPayload;

import com.google.common.io.ByteArrayDataInput;
import com.google.common.io.ByteStreams;

import cpw.mods.fml.common.network.IPacketHandler;
import cpw.mods.fml.common.network.Player;
import cpw.mods.fml.relauncher.Side;

/**
* 
* @author Arbiter
*
*/
public class PvZPacketHandler implements IPacketHandler
{
@Override
public void onPacketData(INetworkManager manager, Packet250CustomPayload packet, Player player)
{
	try
	{
		EntityPlayer entityPlayer = (EntityPlayer)player;
		ByteArrayDataInput in = ByteStreams.newDataInput(packet.data);
		int packetId = in.readUnsignedByte();
		PvZPacket packetBase = PvZPacket.constructPacket(packetId);
		packetBase.read(in);
		packetBase.execute(entityPlayer, entityPlayer.worldObj.isRemote ? Side.CLIENT : Side.SERVER);
	}
	catch (ReflectionException e)
	{
		throw new RuntimeException("Unexpected Reflection exception during Packet construction");
	} catch (mods.CountryGamer_PlantsVsZombies.PvZPacket.ProtocolException e) {
		// TODO Auto-generated catch block
		e.printStackTrace();
	} catch (InstantiationException e) {
		// TODO Auto-generated catch block
		e.printStackTrace();
	} catch (IllegalAccessException e) {
		// TODO Auto-generated catch block
		e.printStackTrace();
	}
}
}

 

Packet

package mods.CountryGamer_PlantsVsZombies;

import javax.management.ReflectionException;

import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.network.packet.Packet;

import com.google.common.collect.BiMap;
import com.google.common.collect.ImmutableBiMap;
import com.google.common.io.ByteArrayDataInput;
import com.google.common.io.ByteArrayDataOutput;
import com.google.common.io.ByteStreams;

import cpw.mods.fml.common.network.PacketDispatcher;
import cpw.mods.fml.relauncher.Side;

/**
* 
* @author Arbiter
*
*/
public abstract class PvZPacket
{
public static final String CHANNEL = "lbd";
private static final BiMap<Integer, Class<? extends PvZPacket>> idMap;

static
{
	ImmutableBiMap.Builder<Integer, Class<? extends PvZPacket>> builder = ImmutableBiMap.builder();
	idMap = builder.build();
}	
public static PvZPacket constructPacket(int packetId) throws ProtocolException, ReflectionException, InstantiationException, IllegalAccessException
{
	Class<? extends PvZPacket> theClass = idMap.get(Integer.valueOf(packetId));
	if (theClass == null)
	{
		throw new ProtocolException("Unknown packet id");
	}
	else
	{
		return theClass.newInstance();
	}
}	
public static class ProtocolException extends Exception
{
	public ProtocolException()
	{

	}
	public ProtocolException(String message, Throwable cause)
	{
		super(message, cause);
	}
	public ProtocolException(String message)
	{
		super(message);
	}
	public ProtocolException(Throwable cause)
	{
		super(cause);
	}
}
public abstract void write(ByteArrayDataOutput out);

public abstract void read(ByteArrayDataInput in) throws ProtocolException;

public abstract void execute(EntityPlayer par1EntityPlayer, Side par2Side) throws ProtocolException;


public final int getPacketId() {
        if (idMap.inverse().containsKey(getClass())) {
                return idMap.inverse().get(getClass()).intValue();
        } else {
                throw new RuntimeException("Packet " + getClass().getSimpleName() + " is missing a mapping!");
        }
}

public final Packet makePacket() {
        ByteArrayDataOutput out = ByteStreams.newDataOutput();
        out.writeByte(getPacketId());
        write(out);
        return PacketDispatcher.getPacket(CHANNEL, out.toByteArray());
}

}

 

Block Packet

package mods.CountryGamer_PlantsVsZombies;

import mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone;
import net.minecraft.entity.player.EntityPlayer;

import com.google.common.io.ByteArrayDataInput;
import com.google.common.io.ByteArrayDataOutput;

import cpw.mods.fml.relauncher.Side;



/**
* 
* @author Arbiter
*
*/
public class GravestoneChangePacket extends PvZPacket
{
private int facing, type;
private TileEntityGravestone tileEntity;

public GravestoneChangePacket(int facing, int type, TileEntityGravestone par2, int x, int y, int z)
{
	this.facing = facing;
	this.type = type;
	tileEntity = (TileEntityGravestone)par2.worldObj.getBlockTileEntity(x, y, z);
}
public GravestoneChangePacket()
{

}
@Override
public void write(ByteArrayDataOutput out)
{
	out.writeInt(facing);
	out.writeInt(type);
}
@Override
public void read(ByteArrayDataInput in) throws ProtocolException
{
	facing = in.readInt();
	type = in.readInt();
}
@Override
public void execute(EntityPlayer player, Side side) throws ProtocolException
{
	if (side.isClient())
	{
		System.out.println(tileEntity.facing);
		System.out.println(this.facing);
		tileEntity.facing = this.facing;
		System.out.println(tileEntity.type);
		System.out.println(this.type);
		tileEntity.type = this.type;
	}
	else
	{
		throw new ProtocolException("Cannot send packet to server");
	}
}
}

 

Block Class

package mods.CountryGamer_PlantsVsZombies.Blocks;

import java.util.ArrayList;
import java.util.Random;

import mods.CountryGamer_PlantsVsZombies.PvZ_Main;
import mods.CountryGamer_PlantsVsZombies.PvZ_Util;
import mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone;
import net.minecraft.block.BlockContainer;
import net.minecraft.block.material.Material;
import net.minecraft.client.renderer.texture.IconRegister;
import net.minecraft.entity.EntityLivingBase;
import net.minecraft.item.Item;
import net.minecraft.item.ItemStack;
import net.minecraft.tileentity.TileEntity;
import net.minecraft.util.AxisAlignedBB;
import net.minecraft.world.World;
import cpw.mods.fml.relauncher.Side;
import cpw.mods.fml.relauncher.SideOnly;

public class BlockGravestone extends BlockContainer {

private Class entityClass;
public TileEntityGravestone gravestoneTE;
public int type = 0;


public BlockGravestone(int id, int type, Class tClass) {
	super(id, Material.rock);
	entityClass = tClass;
	this.type = type;
	this.setHardness(0.2F).setResistance(3F);
	this.setBlockBounds(0.0F, 0.0F, 0.0F, 1.0F, 1.0F, 1.0F);
	this.setCreativeTab(PvZ_Main.pvzTab);
}

@SideOnly(Side.CLIENT)
public void registerIcons(IconRegister iconReg) {
	this.blockIcon = iconReg.registerIcon(PvZ_Main.base_Tex + (this.getUnlocalizedName().substring(5)));
}

public AxisAlignedBB getCollisionBoundingBoxFromPool(World world, int i, int j, int k)
{
	return null;
}

public TileEntity getBlockEntity() {
	try {
		return (TileEntity)entityClass.newInstance();
	}catch(Exception exception) {
		throw new RuntimeException(exception);
	}
}
@Override
public ArrayList<ItemStack> getBlockDropped(World world, int x, int y, int z,
		int metadata, int fortune) {
	ArrayList<ItemStack> ret = new ArrayList<ItemStack>();
	switch(gravestoneTE.type) {
		case 1:
			ret.add(new ItemStack(Item.rottenFlesh, );
			break;
		case 2:
			int i = world.rand.nextInt(4);
			switch(i) {
				case 0:
					ret.add(new ItemStack(PvZ_Main.footballHelm, 1));						
					break;
				case 1:
					ret.add(new ItemStack(PvZ_Main.footballChest, 1));
					break;
				case 2:
					ret.add(new ItemStack(PvZ_Main.footballLegs, 1));
					break;
				case 3:
					ret.add(new ItemStack(PvZ_Main.footballBoots, 1));
					break;
				default:
					ret.add(new ItemStack(PvZ_Main.footballHelm, 1));
					ret.add(new ItemStack(PvZ_Main.footballChest, 1));
					ret.add(new ItemStack(PvZ_Main.footballLegs, 1));
					ret.add(new ItemStack(PvZ_Main.footballBoots, 1));
					break;
			}
			break;
		case 3:
			ret.add(new ItemStack(PvZ_Main.flag, 1));	
			break;
		case 4:
			//ret.add(new ItemStack(PvZ_Main.cone, 1));	
			break;
		case 5:
			ret.add(new ItemStack(Item.bucketEmpty, 1));	
			break;
		default:
			ret.clear();
			break;
	}
	return ret;
}
@Override
protected boolean canSilkHarvest() { return true; }
public int quantityDropped(Random rand) {
	return 1;
}
public int getRenderType() {
	return -1;
}
public boolean isOpaqueCube() {
	return false;
}
public boolean renderAsNormalBlock() {
	return false;
}
public TileEntity createNewTileEntity(World world) {
	return new TileEntityGravestone();
}


public void onBlockAdded(World world, int x, int y, int z) {
	super.onBlockAdded(world, x, y, z);

	TileEntity tile = world.getBlockTileEntity(x, y, z);
	if( tile instanceof TileEntityGravestone) {
		gravestoneTE = ((TileEntityGravestone)tile);
	}else System.out.println("Tile Error");


	//gravestoneTE.setFacing(0);
}




/** Orientation */
public void onBlockPlacedBy(World world, int x, int y, int z, EntityLivingBase par5EntityLivingBase, ItemStack par6ItemStack)
    {
	onBlockAdded(world, x, y, z);
        
	if(gravestoneTE.facing < 0) {
		int facing = PvZ_Util.checkFacing(world, x, y, z, par5EntityLivingBase, par6ItemStack, this.gravestoneTE);
        	this.gravestoneTE.facing = facing;
	}
	if(gravestoneTE.type <= 0)
		this.gravestoneTE.type = type;
        
        PvZ_Util.spawnRandZombie(world, x, y, z, gravestoneTE.facing, gravestoneTE.type);
    }

}

Looks like you forgot to do GameRegistry.registerTileEntity

 

Back on topic, I have a tile entity myself that doesn't save it's byte "rotation."  after debugging, I came to the same conclusion, it doesn't save on world reload.  Using a getter and setter doesn't change anything.  I think your solution may lie in the block metadata.

 

Have you tried writing your number to your block's metadata?  I know that metadata saves correctly, so could you just set your block metadata as your random number?

Posted

public GravestoneChangePacket(int facing, int type, TileEntityGravestone par2, int x, int y, int z)
{
	this.facing = facing;
	this.type = type;
	tileEntity = (TileEntityGravestone)par2.worldObj.getBlockTileEntity(x, y, z);
}
public GravestoneChangePacket()
{

}

Oh man. What am i reading ?  :o

Posted

I do registry the tile ent in my main class, just didnt put it in :P

GameRegistry.registerTileEntity(TileEntityGravestone.class, "Gravestone");

Also fixed the GravestoneChangePacket double constructor

 

I dont want to use metadata because the amount of similar blocks there will be is more than metadata can hold

Still outputs the same error

Posted

@gotolink are we talking about the same thign?

(TileEntityGravestone)par2.worldObj.getBlockTileEntity(x, y, z);

bahahahah xD

how to debug 101:http://www.minecraftforge.net/wiki/Debug_101

-hydroflame, author of the forge revolution-

Posted

ok ok dont take it wrong, youll probably lol too when you understand whats goign on

 

public GravestoneChangePacket(int facing, int type, TileEntityGravestone par2, int x, int y, int z)

{

this.facing = facing;

this.type = type;

tileEntity = (TileEntityGravestone)par2.worldObj.getBlockTileEntity(x, y, z);

}

 

you see this, the method is giving you a reference to a tile entity and the coordinates of that TE, basicly what you are doing is saying

par2.worldObj

get me the world reference of that TE

worldObj.getBlockTileEntity

then on that world get me the tile entity at the x y z location

which obviously return the same TE you have in the begining xD

par2

so you could just say

tileEntity = par2

and everything would work fine :P

 

dont worry i wasnt trying to imply you suck or anything, i do stupid shit sometimes too xD

how to debug 101:http://www.minecraftforge.net/wiki/Debug_101

-hydroflame, author of the forge revolution-

Posted

haha ok. I gets it. I wasnt looking at my code at the time. Also, I had just copied and pasted from the other code from the guy above and edited to put it to my classes.

I fixed that, but it still errors out:

Error

Aug 14, 2013 11:14:39 PM net.minecraft.launchwrapper.LogWrapper log
INFO: Using tweak class name cpw.mods.fml.common.launcher.FMLTweaker
2013-08-14 23:14:40 [iNFO] [ForgeModLoader] Forge Mod Loader version 6.2.35.804 for Minecraft 1.6.2 loading
2013-08-14 23:14:40 [iNFO] [ForgeModLoader] Java is Java HotSpot(TM) 64-Bit Server VM, version 1.6.0_51, running on Mac OS X:x86_64:10.8.4, installed at /System/Library/Java/JavaVirtualMachines/1.6.0.jdk/Contents/Home
2013-08-14 23:14:40 [iNFO] [ForgeModLoader] Managed to load a deobfuscated Minecraft name- we are in a deobfuscated environment. Skipping runtime deobfuscation
2013-08-14 23:14:40 [WARNING] [ForgeModLoader] The coremod codechicken.core.launch.CodeChickenCorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft
2013-08-14 23:14:42 [WARNING] [ForgeModLoader] The coremod codechicken.nei.asm.NEICorePlugin does not have a MCVersion annotation, it may cause issues with this version of Minecraft
2013-08-14 23:14:42 [iNFO] [sTDOUT] Loaded 39 rules from AccessTransformer config file fml_at.cfg
2013-08-14 23:14:42 [iNFO] [sTDOUT] Loaded 107 rules from AccessTransformer config file forge_at.cfg
2013-08-14 23:14:43 [iNFO] [sTDOUT] Loaded 39 rules from AccessTransformer config file fml_at.cfg
2013-08-14 23:14:44 [sEVERE] [ForgeModLoader] The binary patch set is missing. Either you are in a development environment, or things are not going to work!
2013-08-14 23:14:44 [iNFO] [sTDOUT] Adding AccessTransformer: nei_at.cfg
2013-08-14 23:14:44 [iNFO] [sTDOUT] Adding Accesstransformer map: temp.dat
2013-08-14 23:14:44 [iNFO] [sTDOUT] Loaded 53 rules from AccessTransformer config file temp.dat
2013-08-14 23:14:46 [iNFO] [ForgeModLoader] Launching wrapped minecraft
2013-08-14 23:14:48 [iNFO] [sTDOUT] Inserted super call into net.minecraft.client.gui.inventory.GuiInventory.updateScreen
2013-08-14 23:14:48 [iNFO] [sTDOUT] net.minecraft.client.gui.inventory.GuiContainer was overriden from NotEnoughItems-dev 1.6.0.7.jar
2013-08-14 23:14:49 [iNFO] [Minecraft-Client] Setting user: Player803
2013-08-14 23:14:49 [iNFO] [Minecraft-Client] (Session ID is null)
2013-08-14 23:14:50 [iNFO] [sTDOUT] Generated BlockMobSpawner helper method.
2013-08-14 23:14:52 [iNFO] [Minecraft-Client] LWJGL Version: 2.9.0
2013-08-14 23:14:53 [iNFO] [Minecraft-Client] Reloading ResourceManager: Default
2013-08-14 23:14:53 [iNFO] [sTDOUT] 
2013-08-14 23:14:53 [iNFO] [sTDOUT] Starting up SoundSystem...
2013-08-14 23:14:54 [iNFO] [sTDOUT] Initializing LWJGL OpenAL
2013-08-14 23:14:54 [iNFO] [sTDOUT]     (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org)
2013-08-14 23:14:54 [iNFO] [MinecraftForge] Attempting early MinecraftForge initialization
2013-08-14 23:14:54 [iNFO] [sTDOUT] MinecraftForge v9.10.0.804 Initialized
2013-08-14 23:14:54 [iNFO] [ForgeModLoader] MinecraftForge v9.10.0.804 Initialized
2013-08-14 23:14:54 [iNFO] [sTDOUT] Replaced 101 ore recipies
2013-08-14 23:14:54 [iNFO] [MinecraftForge] Completed early MinecraftForge initialization
2013-08-14 23:14:55 [iNFO] [sTDOUT] OpenAL initialized.
2013-08-14 23:14:55 [iNFO] [sTDOUT] 
2013-08-14 23:14:55 [iNFO] [ForgeModLoader] Reading custom logging properties from /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/jars/config/logging.properties
2013-08-14 23:14:55 [OFF] [ForgeModLoader] Logging level for ForgeModLoader logging is set to ALL
2013-08-14 23:14:55 [iNFO] [ForgeModLoader] Searching /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/jars/mods for mods
2013-08-14 23:14:57 [iNFO] [ForgeModLoader] Attempting to reparse the mod container bin
2013-08-14 23:14:59 [iNFO] [ForgeModLoader] Forge Mod Loader has identified 11 mods to load
2013-08-14 23:14:59 [iNFO] [mcp] Activating mod mcp
2013-08-14 23:14:59 [iNFO] [FML] Activating mod FML
2013-08-14 23:14:59 [iNFO] [Forge] Activating mod Forge
2013-08-14 23:14:59 [iNFO] [CodeChickenCore] Activating mod CodeChickenCore
2013-08-14 23:14:59 [iNFO] [NotEnoughItems] Activating mod NotEnoughItems
2013-08-14 23:14:59 [iNFO] [CountryGamer_BetterVillages2.0] Activating mod CountryGamer_BetterVillages2.0
2013-08-14 23:14:59 [iNFO] [CountryGamer_Misc] Activating mod CountryGamer_Misc
2013-08-14 23:14:59 [iNFO] [CountryGamer_PlantsVsZombies] Activating mod CountryGamer_PlantsVsZombies
2013-08-14 23:14:59 [iNFO] [CountryGamer_PvZExtensions] Activating mod CountryGamer_PvZExtensions
2013-08-14 23:14:59 [iNFO] [CountryGamer_Tardis] Activating mod CountryGamer_Tardis
2013-08-14 23:14:59 [iNFO] [DamageIndicatorsMod] Activating mod DamageIndicatorsMod
2013-08-14 23:14:59 [WARNING] [Not Enough Items] Mod Not Enough Items is missing a pack.mcmeta file, things may not work well
2013-08-14 23:14:59 [WARNING] [better Villages 2.0] Mod Better Villages 2.0 is missing a pack.mcmeta file, things may not work well
2013-08-14 23:14:59 [WARNING] [Country Gamer ModPack; Misc Mod] Mod Country Gamer ModPack; Misc Mod is missing a pack.mcmeta file, things may not work well
2013-08-14 23:14:59 [WARNING] [Plants Vs Zombies] Mod Plants Vs Zombies is missing a pack.mcmeta file, things may not work well
2013-08-14 23:14:59 [WARNING] [PvZ Extensions] Mod PvZ Extensions is missing a pack.mcmeta file, things may not work well
2013-08-14 23:14:59 [WARNING] [Tardis] Mod Tardis is missing a pack.mcmeta file, things may not work well
2013-08-14 23:14:59 [WARNING] [Damage Indicators] Mod Damage Indicators is missing a pack.mcmeta file, things may not work well
2013-08-14 23:14:59 [iNFO] [Minecraft-Client] Reloading ResourceManager: Default, FMLFileResourcePack:Not Enough Items, FMLFileResourcePack:Better Villages 2.0, FMLFileResourcePack:Country Gamer ModPack; Misc Mod, FMLFileResourcePack:Plants Vs Zombies, FMLFileResourcePack:PvZ Extensions, FMLFileResourcePack:Tardis, FMLFileResourcePack:Damage Indicators
2013-08-14 23:14:59 [iNFO] [sTDOUT] 
2013-08-14 23:14:59 [iNFO] [sTDOUT] SoundSystem shutting down...
2013-08-14 23:15:00 [iNFO] [sTDOUT]     Author: Paul Lamb, www.paulscode.com
2013-08-14 23:15:00 [iNFO] [sTDOUT] 
2013-08-14 23:15:00 [iNFO] [sTDOUT] 
2013-08-14 23:15:00 [iNFO] [sTDOUT] Starting up SoundSystem...
2013-08-14 23:15:00 [iNFO] [ForgeModLoader] FML has found a non-mod file CodeChickenCore 0.9.0.0.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 23:15:00 [iNFO] [ForgeModLoader] FML has found a non-mod file CodeChickenLib-dev-1.6.2-1.0.0.9.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 23:15:00 [iNFO] [ForgeModLoader] FML has found a non-mod file CodeChickenLib-universal-1.6.2-1.0.0.9.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 23:15:00 [iNFO] [ForgeModLoader] FML has found a non-mod file NotEnoughItems-dev 1.6.0.7.jar in your mods directory. It will now be injected into your classpath. This could severe stability issues, it should be removed if possible.
2013-08-14 23:15:00 [iNFO] [ForgeModLoader] Registering Forge Packet Handler
2013-08-14 23:15:00 [iNFO] [ForgeModLoader] Succeeded registering Forge Packet Handler
2013-08-14 23:15:00 [iNFO] [sTDOUT] Initializing LWJGL OpenAL
2013-08-14 23:15:00 [iNFO] [sTDOUT]     (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org)
2013-08-14 23:15:00 [iNFO] [sTDOUT] OpenAL initialized.
2013-08-14 23:15:00 [iNFO] [ForgeModLoader] Configured a dormant chunk cache size of 0
2013-08-14 23:15:00 [iNFO] [sTDOUT] 
2013-08-14 23:15:01 [iNFO] [sTDOUT] Removing TMI Uninstaller
2013-08-14 23:15:01 [iNFO] [sTDOUT] Deleting Dir: /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/eclipse/Minecraft/bin/net/minecraft/client/TMIUninstaller
2013-08-14 23:15:01 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 1 which is already reserved. This could cause severe problems
2013-08-14 23:15:01 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 2 which is already reserved. This could cause severe problems
2013-08-14 23:15:02 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 8 which is already reserved. This could cause severe problems
2013-08-14 23:15:02 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 9 which is already reserved. This could cause severe problems
2013-08-14 23:15:02 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 10 which is already reserved. This could cause severe problems
2013-08-14 23:15:02 [sEVERE] [ForgeModLoader] The mod CountryGamer_PlantsVsZombies has attempted to register an entity ID 11 which is already reserved. This could cause severe problems
2013-08-14 23:15:02 [iNFO] [ForgeModLoader] Forge Mod Loader has successfully loaded 11 mods
2013-08-14 23:15:02 [WARNING] [Not Enough Items] Mod Not Enough Items is missing a pack.mcmeta file, things may not work well
2013-08-14 23:15:02 [WARNING] [better Villages 2.0] Mod Better Villages 2.0 is missing a pack.mcmeta file, things may not work well
2013-08-14 23:15:02 [WARNING] [Country Gamer ModPack; Misc Mod] Mod Country Gamer ModPack; Misc Mod is missing a pack.mcmeta file, things may not work well
2013-08-14 23:15:02 [WARNING] [Plants Vs Zombies] Mod Plants Vs Zombies is missing a pack.mcmeta file, things may not work well
2013-08-14 23:15:02 [WARNING] [PvZ Extensions] Mod PvZ Extensions is missing a pack.mcmeta file, things may not work well
2013-08-14 23:15:02 [WARNING] [Tardis] Mod Tardis is missing a pack.mcmeta file, things may not work well
2013-08-14 23:15:02 [WARNING] [Damage Indicators] Mod Damage Indicators is missing a pack.mcmeta file, things may not work well
2013-08-14 23:15:02 [iNFO] [Minecraft-Client] Reloading ResourceManager: Default, FMLFileResourcePack:Not Enough Items, FMLFileResourcePack:Better Villages 2.0, FMLFileResourcePack:Country Gamer ModPack; Misc Mod, FMLFileResourcePack:Plants Vs Zombies, FMLFileResourcePack:PvZ Extensions, FMLFileResourcePack:Tardis, FMLFileResourcePack:Damage Indicators
2013-08-14 23:15:02 [sEVERE] [Minecraft-Client] Using missing texture, unable to load: countrygamer_tardis:textures/items/tardisKey.png
2013-08-14 23:15:02 [iNFO] [sTDOUT] 
2013-08-14 23:15:02 [iNFO] [sTDOUT] SoundSystem shutting down...
2013-08-14 23:15:02 [iNFO] [sTDOUT]     Author: Paul Lamb, www.paulscode.com
2013-08-14 23:15:02 [iNFO] [sTDOUT] 
2013-08-14 23:15:02 [iNFO] [sTDOUT] 
2013-08-14 23:15:02 [iNFO] [sTDOUT] Starting up SoundSystem...
2013-08-14 23:15:02 [sEVERE] [Minecraft-Client] ########## GL ERROR ##########
2013-08-14 23:15:02 [sEVERE] [Minecraft-Client] @ Post startup
2013-08-14 23:15:02 [sEVERE] [Minecraft-Client] 1281: Invalid value
2013-08-14 23:15:03 [iNFO] [sTDOUT] Initializing LWJGL OpenAL
2013-08-14 23:15:03 [iNFO] [sTDOUT]     (The LWJGL binding of OpenAL.  For more information, see http://www.lwjgl.org)
2013-08-14 23:15:03 [iNFO] [sTDOUT] OpenAL initialized.
2013-08-14 23:15:03 [iNFO] [sTDOUT] 
2013-08-14 23:15:03 [sEVERE] [Minecraft-Client] Realms: Invalid session id
2013-08-14 23:15:07 [iNFO] [Minecraft-Server] Starting integrated minecraft server version 1.6.2
2013-08-14 23:15:08 [iNFO] [Minecraft-Server] Generating keypair
2013-08-14 23:15:08 [iNFO] [ForgeModLoader] Loading dimension 0 (New World) (net.minecraft.server.integrated.IntegratedServer@49bdaaaa)
2013-08-14 23:15:08 [iNFO] [ForgeModLoader] Loading dimension 1 (New World) (net.minecraft.server.integrated.IntegratedServer@49bdaaaa)
2013-08-14 23:15:08 [iNFO] [ForgeModLoader] Loading dimension -1 (New World) (net.minecraft.server.integrated.IntegratedServer@49bdaaaa)
2013-08-14 23:15:09 [iNFO] [Minecraft-Server] Preparing start region for level 0
2013-08-14 23:15:10 [iNFO] [Minecraft-Server] Preparing spawn area: 17%
2013-08-14 23:15:10 [iNFO] [DamageIndicatorsMod] Server no longer requires this mod to function!
2013-08-14 23:15:10 [WARNING] [Minecraft-Server] Server no longer requires Damage Indicators to function client side!
2013-08-14 23:15:10 [iNFO] [sTDOUT] Loading NEI
2013-08-14 23:15:11 [iNFO] [sTDOUT] loading single player
2013-08-14 23:15:11 [iNFO] [Minecraft-Server] Player803[/127.0.0.1:0] logged in with entity id 183 at (-180.9020783888061, 68.0, 173.26330801090847)
2013-08-14 23:15:11 [iNFO] [Minecraft-Server] Player803 joined the game
2013-08-14 23:15:11 [iNFO] [sTDOUT] Loading Player: Player803
2013-08-14 23:15:11 [iNFO] [sTDOUT] Sending serverside check to: Player803
2013-08-14 23:15:11 [iNFO] [sTDOUT] Setting up custom skins
2013-08-14 23:15:11 [iNFO] [sTDOUT] Loading World: local/New World
2013-08-14 23:15:12 [iNFO] [Minecraft-Client] [CHAT] Version 0.9.0.3 of CodeChickenCore is available
2013-08-14 23:15:12 [iNFO] [Minecraft-Client] [CHAT] Version 1.6.1.2 of NotEnoughItems is available
2013-08-14 23:15:13 [iNFO] [Minecraft-Client] [CHAT] Damage Indicators Mod v.2.9.0.0 is up to date.
2013-08-14 23:15:14 [iNFO] [Minecraft-Server] Stopping server
2013-08-14 23:15:14 [iNFO] [Minecraft-Server] Saving players
2013-08-14 23:15:14 [iNFO] [Minecraft-Server] Player803 left the game
2013-08-14 23:15:14 [iNFO] [sTDOUT] Unloading Player: Player803
2013-08-14 23:15:14 [iNFO] [Minecraft-Server] Saving worlds
2013-08-14 23:15:14 [iNFO] [Minecraft-Server] Saving chunks for level 'New World'/Overworld
2013-08-14 23:15:14 [iNFO] [Minecraft-Server] Saving chunks for level 'New World'/Nether
2013-08-14 23:15:14 [iNFO] [Minecraft-Server] Saving chunks for level 'New World'/The End
2013-08-14 23:15:15 [iNFO] [ForgeModLoader] Unloading dimension 0
2013-08-14 23:15:15 [iNFO] [ForgeModLoader] Unloading dimension -1
2013-08-14 23:15:15 [iNFO] [ForgeModLoader] Unloading dimension 1
2013-08-14 23:15:16 [iNFO] [sTDERR] net.minecraft.util.ReportedException: Ticking tile entity
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at net.minecraft.world.World.updateEntities(World.java:2219)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at net.minecraft.client.Minecraft.runTick(Minecraft.java:1907)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at net.minecraft.client.Minecraft.runGameLoop(Minecraft.java:898)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:826)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at net.minecraft.client.main.Main.main(Main.java:93)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at java.lang.reflect.Method.invoke(Method.java:597)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at net.minecraft.launchwrapper.Launch.launch(Launch.java:57)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at net.minecraft.launchwrapper.Launch.main(Launch.java:18)
2013-08-14 23:15:16 [iNFO] [sTDERR] Caused by: java.lang.RuntimeException: Packet GravestoneChangePacket is missing a mapping!
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.getPacketId(PvZPacket.java:74)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.makePacket(PvZPacket.java:80)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone.updateEntity(TileEntityGravestone.java:90)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	at net.minecraft.world.World.updateEntities(World.java:2204)
2013-08-14 23:15:16 [iNFO] [sTDERR] 	... 10 more
2013-08-14 23:15:16 [iNFO] [sTDOUT] ---- Minecraft Crash Report ----
2013-08-14 23:15:16 [iNFO] [sTDOUT] // Oops.
2013-08-14 23:15:16 [iNFO] [sTDOUT] 
2013-08-14 23:15:16 [iNFO] [sTDOUT] Time: 8/14/13 11:15 PM
2013-08-14 23:15:16 [iNFO] [sTDOUT] Description: Ticking tile entity
2013-08-14 23:15:16 [iNFO] [sTDOUT] 
2013-08-14 23:15:16 [iNFO] [sTDOUT] java.lang.RuntimeException: Packet GravestoneChangePacket is missing a mapping!
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.getPacketId(PvZPacket.java:74)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.makePacket(PvZPacket.java:80)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone.updateEntity(TileEntityGravestone.java:90)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.world.World.updateEntities(World.java:2204)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.runTick(Minecraft.java:1907)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.runGameLoop(Minecraft.java:898)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:826)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.client.main.Main.main(Main.java:93)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at java.lang.reflect.Method.invoke(Method.java:597)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.launch(Launch.java:57)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.main(Launch.java:18)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 
2013-08-14 23:15:16 [iNFO] [sTDOUT] 
2013-08-14 23:15:16 [iNFO] [sTDOUT] A detailed walkthrough of the error, its code path and all known details is as follows:
2013-08-14 23:15:16 [iNFO] [sTDOUT] ---------------------------------------------------------------------------------------
2013-08-14 23:15:16 [iNFO] [sTDOUT] 
2013-08-14 23:15:16 [iNFO] [sTDOUT] -- Head --
2013-08-14 23:15:16 [iNFO] [sTDOUT] Stacktrace:
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.getPacketId(PvZPacket.java:74)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.PvZPacket.makePacket(PvZPacket.java:80)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone.updateEntity(TileEntityGravestone.java:90)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 
2013-08-14 23:15:16 [iNFO] [sTDOUT] -- Tile entity being ticked --
2013-08-14 23:15:16 [iNFO] [sTDOUT] Details:
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Name: Gravestone // mods.CountryGamer_PlantsVsZombies.Blocks.tileEnts.TileEntityGravestone
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Block type: ID #506 (tile.gravestoneReg // mods.CountryGamer_PlantsVsZombies.Blocks.BlockGravestone)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Block data value: 0 / 0x0 / 0b0000
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Block location: World: (-181,68,170), Chunk: (at 11,4,10 in -12,10; contains blocks -192,0,160 to -177,255,175), Region: (-1,0; contains chunks -32,0 to -1,31, blocks -512,0,0 to -1,255,511)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Actual block type: ID #506 (tile.gravestoneReg // mods.CountryGamer_PlantsVsZombies.Blocks.BlockGravestone)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Actual block data value: 0 / 0x0 / 0b0000
2013-08-14 23:15:16 [iNFO] [sTDOUT] Stacktrace:
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.world.World.updateEntities(World.java:2204)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 
2013-08-14 23:15:16 [iNFO] [sTDOUT] -- Affected level --
2013-08-14 23:15:16 [iNFO] [sTDOUT] Details:
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level name: MpServer
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	All players: 1 total; [EntityClientPlayerMP['Player803'/183, l='MpServer', x=-180.90, y=69.62, z=173.26]]
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Chunk stats: MultiplayerChunkCache: 165
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level seed: 0
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level generator: ID 00 - default, ver 1. Features enabled: false
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level generator options: 
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level spawn location: World: (-200,64,221), Chunk: (at 8,4,13 in -13,13; contains blocks -208,0,208 to -193,255,223), Region: (-1,0; contains chunks -32,0 to -1,31, blocks -512,0,0 to -1,255,511)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level time: 56625 game time, 6000 day time
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level dimension: 0
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level storage version: 0x00000 - Unknown?
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level weather: Rain time: 0 (now: false), thunder time: 0 (now: false)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Level game mode: Game mode: creative (ID 1). Hardcore: false. Cheats: false
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Forced entities: 40 total; [EntityBat['Bat'/137, l='MpServer', x=-129.25, y=41.10, z=130.72], EntityBat['Bat'/136, l='MpServer', x=-141.25, y=21.05, z=137.75], EntityClientPlayerMP['Player803'/183, l='MpServer', x=-180.90, y=69.62, z=173.26], EntityChicken['Chicken'/143, l='MpServer', x=-123.38, y=71.00, z=101.56], EntityBat['Bat'/129, l='MpServer', x=-156.71, y=22.00, z=135.39], EntityBat['Bat'/128, l='MpServer', x=-154.25, y=24.10, z=130.75], EntityBat['Bat'/131, l='MpServer', x=-146.34, y=46.66, z=180.04], EntityBat['Bat'/130, l='MpServer', x=-147.59, y=22.14, z=137.94], EntitySheep['Sheep'/135, l='MpServer', x=-134.41, y=72.92, z=94.47], EntityZombie['Zombie'/256, l='MpServer', x=0.00, y=1.00, z=0.00], EntityChicken['Chicken'/158, l='MpServer', x=-111.94, y=64.00, z=119.88], EntityBat['Bat'/93, l='MpServer', x=-236.25, y=27.10, z=232.75], EntitySheep['Sheep'/144, l='MpServer', x=-114.88, y=62.00, z=120.53], EntityChicken['Chicken'/145, l='MpServer', x=-124.22, y=71.00, z=114.78], EntityBat['Bat'/92, l='MpServer', x=-222.72, y=33.02, z=198.91], EntityChicken['Chicken'/146, l='MpServer', x=-112.38, y=65.00, z=122.28], EntityBat['Bat'/94, l='MpServer', x=-225.40, y=20.79, z=226.08], EntityChicken['Chicken'/147, l='MpServer', x=-114.41, y=64.00, z=121.47], EntityBat['Bat'/89, l='MpServer', x=-244.65, y=26.47, z=229.68], EntityChicken['Chicken'/148, l='MpServer', x=-124.34, y=70.00, z=125.22], EntityBat['Bat'/88, l='MpServer', x=-253.63, y=33.10, z=194.38], EntitySheep['Sheep'/149, l='MpServer', x=-114.09, y=71.00, z=133.09], EntityChicken['Chicken'/150, l='MpServer', x=-120.19, y=70.00, z=147.53], EntityBat['Bat'/91, l='MpServer', x=-225.47, y=35.10, z=197.75], EntityPig['Pig'/98, l='MpServer', x=-220.84, y=64.00, z=213.16], EntityPig['Pig'/99, l='MpServer', x=-217.91, y=65.00, z=247.13], EntityBat['Bat'/110, l='MpServer', x=-179.67, y=46.38, z=112.56], EntityItem['item.item.sulphur'/106, l='MpServer', x=-194.25, y=68.13, z=174.69], EntityZombie['Zombie'/254, l='MpServer', x=0.00, y=1.00, z=0.00], EntityZombie['Zombie'/255, l='MpServer', x=0.00, y=1.00, z=0.00], EntityZombie['Zombie'/252, l='MpServer', x=0.00, y=1.00, z=0.00], EntityZombie['Zombie'/253, l='MpServer', x=0.00, y=1.00, z=0.00], EntityZombie['Zombie'/250, l='MpServer', x=0.00, y=1.00, z=0.00], EntityZombie['Zombie'/251, l='MpServer', x=0.00, y=1.00, z=0.00], EntityZombie['Zombie'/248, l='MpServer', x=0.00, y=1.00, z=0.00], EntityZombie['Zombie'/249, l='MpServer', x=0.00, y=1.00, z=0.00], EntityZombie['Zombie'/246, l='MpServer', x=0.00, y=1.00, z=0.00], EntityZombie['Zombie'/247, l='MpServer', x=0.00, y=1.00, z=0.00], EntityBat['Bat'/121, l='MpServer', x=-167.41, y=35.13, z=150.52], EntityBat['Bat'/120, l='MpServer', x=-172.78, y=43.10, z=102.88]]
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Retry entities: 0 total; []
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Server brand: fml,forge
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Server type: Integrated singleplayer server
2013-08-14 23:15:16 [iNFO] [sTDOUT] Stacktrace:
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.client.multiplayer.WorldClient.addWorldInfoToCrashReport(WorldClient.java:440)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.addGraphicsAndWorldToCrashReport(Minecraft.java:2298)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.client.Minecraft.func_99999_d(Minecraft.java:844)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.client.main.Main.main(Main.java:93)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at java.lang.reflect.Method.invoke(Method.java:597)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.launch(Launch.java:57)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	at net.minecraft.launchwrapper.Launch.main(Launch.java:18)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 
2013-08-14 23:15:16 [iNFO] [sTDOUT] -- System Details --
2013-08-14 23:15:16 [iNFO] [sTDOUT] Details:
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Minecraft Version: 1.6.2
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Operating System: Mac OS X (x86_64) version 10.8.4
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Java Version: 1.6.0_51, Apple Inc.
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Java VM Version: Java HotSpot(TM) 64-Bit Server VM (mixed mode), Apple Inc.
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Memory: 918061600 bytes (875 MB) / 1065025536 bytes (1015 MB) up to 1065025536 bytes (1015 MB)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	JVM Flags: 3 total; -Xincgc -Xmx1024M -Xms1024M
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	AABB Pool Size: 20872 (1168832 bytes; 1 MB) allocated, 328 (18368 bytes; 0 MB) used
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Suspicious classes: FML and Forge are installed
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	IntCache: cache: 0, tcache: 0, allocated: 1, tallocated: 63
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	FML: MCP v8.04 FML v6.2.35.804 Minecraft Forge 9.10.0.804 11 mods loaded, 11 mods active
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	mcp{8.04} [Minecraft Coder Pack] (minecraft.jar) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	FML{6.2.35.804} [Forge Mod Loader] (coremods) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Forge{9.10.0.804} [Minecraft Forge] (coremods) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	CodeChickenCore{0.9.0.0} [CodeChicken Core] (coremods) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	NotEnoughItems{1.6.0.7} [Not Enough Items] (NotEnoughItems-dev 1.6.0.7.jar) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	CountryGamer_BetterVillages2.0{1.0} [better Villages 2.0] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	CountryGamer_Misc{1.0} [Country Gamer ModPack; Misc Mod] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	CountryGamer_PlantsVsZombies{2.3} [Plants Vs Zombies] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	CountryGamer_PvZExtensions{2.2} [PvZ Extensions] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	CountryGamer_Tardis{1.0} [Tardis] (bin) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	DamageIndicatorsMod{2.9.0.0} [Damage Indicators] (1.6.2 DamageIndicators v2.9.0.0.zip) Unloaded->Constructed->Pre-initialized->Initialized->Post-initialized->Available->Available->Available->Available
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Launched Version: 1.6
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	LWJGL: 2.9.0
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	OpenGL: Intel HD Graphics 3000 OpenGL Engine GL version 2.1 INTEL-8.12.47, Intel Inc.
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Is Modded: Definitely; Client brand changed to 'fml,forge'
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Type: Client (map_client.txt)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Resource Pack: Default
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Current Language: English (US)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Profiler Position: N/A (disabled)
2013-08-14 23:15:16 [iNFO] [sTDOUT] 	Vec3 Pool Size: 77 (4312 bytes; 0 MB) allocated, 57 (3192 bytes; 0 MB) used
2013-08-14 23:15:16 [iNFO] [sTDOUT] #@!@# Game crashed! Crash report saved to: #@!@# /Users/dustinyost/Minecraft Modding/1.6.2/forge 9.10.0.804 client/mcp/jars/./crash-reports/crash-2013-08-14_23.15.16-client.txt
AL lib: (EE) alc_cleanup: 1 device not closed

Posted

First:

 

  Reveal hidden contents

 

You have issues with entity registration.

 

Second:

 

  Reveal hidden contents

 

You are the one throwing that exception. You should know what it means.

public final int getPacketId() {
        if (idMap.inverse().containsKey(getClass())) {
                return idMap.inverse().get(getClass()).intValue();
        } else {
                throw new RuntimeException("Packet " + getClass().getSimpleName() + " is missing a mapping!");
        }

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

    • Hi everyone, I'm having a major issue with the Prominence 2: Hasturian Era modpack (version 3.1.10). The game freezes completely at "Joining World" – both in multiplayer and singleplayer. I literally can’t get into the game at all, and I’ve tried pretty much everything.  What I’ve already tried: Fully deleted Crystal Launcher, the modpack, and all Minecraft folders (including /mods, /saves, /config, and /instance data) Reinstalled Java (tried both Java 17 and Java 21) Disabled shaders and resource packs Made sure I’m still using version 3.1.10 (the server hasn’t updated to 3.1.11 yet) Vanilla Minecraft works fine Other modpacks load fine  What I noticed: The freeze happens after the Forge loading is done — right when the world is supposed to load My friend can see me show up on the multiplayer server TAB list, but I’m completely frozen client-side Even trying to create a new singleplayer world causes the same freeze https://mclo.gs/gsBh7AS my logs when i trying to join the server  
    • hosting a server with a couple friends and was debugging it yesterday when we suddenly got it working and are able to join, my friend sent me the mods to test joining and for some reason it joins, says saving world and closes itself. starting a single player world tells me it sends invalid packets but doesnt kick me it says the error is to do with eridium conflicting but considering my friend got in im not sure what is different from his game to mine, weve tried teleporting me around incase it was a bugged block and it seems to add more random mods each time? i am using neoforge on version 1.20.1 ---- Minecraft Crash Report ---- // Embeddium instance tainted by mods: [valkyrienskies, betterfpsdist, ebe, oculus, copycats, embeddium_extra] // Please do not reach out for Embeddium support without removing these mods first. // ------- // Don't do that. Time: 2025-05-15 09:14:06 Description: Unexpected error java.lang.RuntimeException: No net handler found for dimension minecraft:overworld, client: true     at blusunrize.immersiveengineering.api.wires.GlobalWireNetwork.getNetwork(GlobalWireNetwork.java:94) ~[ImmersiveEngineering-1.20.1-10.0.0-169.jar%23857!/:?] {re:classloading}     at org.embeddedt.embeddium.compat.immersive.ImmersiveEmptyChunkChecker.hasWires(ImmersiveEmptyChunkChecker.java:11) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:classloading}     at org.embeddedt.embeddium.compat.immersive.ImmersiveConnectionRenderer.meshAppendEvent(ImmersiveConnectionRenderer.java:63) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:classloading}     at org.embeddedt.embeddium.api.eventbus.EventHandlerRegistrar.post(EventHandlerRegistrar.java:32) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:classloading}     at org.embeddedt.embeddium.api.ChunkMeshEvent.post(ChunkMeshEvent.java:66) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:classloading,pl:eventbus:A}     at me.jellysquid.mods.sodium.client.render.chunk.RenderSectionManager.onSectionAdded(RenderSectionManager.java:288) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinRenderSectionManager,pl:mixin:APP:valkyrienskies-forge.mixins.json:compat.sodium.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:options.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:vertex_format.MixinRenderSectionManager,pl:mixin:APP:ebe.mixins.json:embeddium.RenderSectionManagerMixin,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.chunk.RenderSectionManager.onChunkAdded(RenderSectionManager.java:799) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinRenderSectionManager,pl:mixin:APP:valkyrienskies-forge.mixins.json:compat.sodium.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:options.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:vertex_format.MixinRenderSectionManager,pl:mixin:APP:ebe.mixins.json:embeddium.RenderSectionManagerMixin,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.chunk.map.ChunkTracker.forEachChunk(ChunkTracker.java:114) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinChunkTracker,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.chunk.map.ChunkTracker.forEachEvent(ChunkTracker.java:101) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinChunkTracker,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.SodiumWorldRenderer.processChunkEvents(SodiumWorldRenderer.java:244) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinSodiumWorldRenderer,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.MixinSodiumWorldRenderer,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.SodiumWorldRendererAccessor,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.SodiumWorldRenderer.setupTerrain(SodiumWorldRenderer.java:173) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinSodiumWorldRenderer,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.MixinSodiumWorldRenderer,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.SodiumWorldRendererAccessor,pl:mixin:A}     at net.minecraft.client.renderer.LevelRenderer.m_194338_(LevelRenderer.java:31729) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,xf:fml:twilightforest:render,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,xf:fml:twilightforest:render,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.renderer.LevelRenderer.m_109599_(LevelRenderer.java:1162) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,xf:fml:twilightforest:render,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,xf:fml:twilightforest:render,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.renderer.GameRenderer.m_109089_(GameRenderer.java:1130) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:mixins.modernui-forge.json:MixinGameRenderer,pl:mixin:APP:mixins.modernui-textmc.json:MixinGameRenderer,pl:mixin:APP:supplementaries-common.mixins.json:GameRendererMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:client.renderer.MixinGameRenderer,pl:mixin:APP:immersive_aircraft.mixins.json:client.GameRendererMixin,pl:mixin:APP:rrls.mixins.json:compat.GameRendererMixin,pl:mixin:APP:rrls.mixins.json:compat.RendererKeyboardMouseMixin,pl:mixin:APP:shouldersurfing.mixins.json:MixinGameRenderer,pl:mixin:APP:alexscaves.mixins.json:client.GameRendererMixin,pl:mixin:APP:mixins.oculus.json:GameRendererAccessor,pl:mixin:APP:mixins.oculus.json:MixinGameRenderer,pl:mixin:APP:mixins.oculus.json:MixinModelViewBobbing,pl:mixin:APP:zeta_forge.mixins.json:client.GameRenderMixin,pl:mixin:APP:railways-common.mixins.json:conductor_possession.MixinGameRenderer,pl:mixin:APP:sodium-extra.mixins.json:prevent_shaders.MixinGameRenderer,pl:mixin:APP:okzoomer.mixins.json:GameRendererMixin,pl:mixin:APP:ars_nouveau.mixins.json:GameRendererMixin,pl:mixin:APP:jeg.mixins.json:client.GameRendererMixin,pl:mixin:APP:exposure-common.mixins.json:DrawViewfinderOverlayMixin,pl:mixin:APP:nimble.mixins.json:GameRendererMixin,pl:mixin:APP:create.mixins.json:accessor.GameRendererAccessor,pl:mixin:APP:create.mixins.json:client.GameRendererMixin,pl:mixin:APP:embeddium.mixins.json:features.gui.hooks.console.GameRendererMixin,pl:mixin:APP:mixins.oculus.json:MixinGameRenderer_NightVisionCompat,pl:mixin:APP:securitycraft.mixins.json:camera.GameRendererMixin,pl:mixin:APP:forge-badoptimizations.mixins.json:accessor.GameRendererFieldAccessor,pl:mixin:APP:forge-badoptimizations.mixins.json:tick.MixinGameRenderer,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.renderer.GameRenderer.m_109093_(GameRenderer.java:913) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:mixins.modernui-forge.json:MixinGameRenderer,pl:mixin:APP:mixins.modernui-textmc.json:MixinGameRenderer,pl:mixin:APP:supplementaries-common.mixins.json:GameRendererMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:client.renderer.MixinGameRenderer,pl:mixin:APP:immersive_aircraft.mixins.json:client.GameRendererMixin,pl:mixin:APP:rrls.mixins.json:compat.GameRendererMixin,pl:mixin:APP:rrls.mixins.json:compat.RendererKeyboardMouseMixin,pl:mixin:APP:shouldersurfing.mixins.json:MixinGameRenderer,pl:mixin:APP:alexscaves.mixins.json:client.GameRendererMixin,pl:mixin:APP:mixins.oculus.json:GameRendererAccessor,pl:mixin:APP:mixins.oculus.json:MixinGameRenderer,pl:mixin:APP:mixins.oculus.json:MixinModelViewBobbing,pl:mixin:APP:zeta_forge.mixins.json:client.GameRenderMixin,pl:mixin:APP:railways-common.mixins.json:conductor_possession.MixinGameRenderer,pl:mixin:APP:sodium-extra.mixins.json:prevent_shaders.MixinGameRenderer,pl:mixin:APP:okzoomer.mixins.json:GameRendererMixin,pl:mixin:APP:ars_nouveau.mixins.json:GameRendererMixin,pl:mixin:APP:jeg.mixins.json:client.GameRendererMixin,pl:mixin:APP:exposure-common.mixins.json:DrawViewfinderOverlayMixin,pl:mixin:APP:nimble.mixins.json:GameRendererMixin,pl:mixin:APP:create.mixins.json:accessor.GameRendererAccessor,pl:mixin:APP:create.mixins.json:client.GameRendererMixin,pl:mixin:APP:embeddium.mixins.json:features.gui.hooks.console.GameRendererMixin,pl:mixin:APP:mixins.oculus.json:MixinGameRenderer_NightVisionCompat,pl:mixin:APP:securitycraft.mixins.json:camera.GameRendererMixin,pl:mixin:APP:forge-badoptimizations.mixins.json:accessor.GameRendererFieldAccessor,pl:mixin:APP:forge-badoptimizations.mixins.json:tick.MixinGameRenderer,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.Minecraft.m_91383_(Minecraft.java:1146) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:alexscaves.mixins.json:client.MinecraftMixin,pl:mixin:APP:mixins.modernui-forge.json:MixinMinecraft,pl:mixin:APP:redirectionor.mixins.json:net.minecraft.client.MinecraftMixin,pl:mixin:APP:biomemusic.mixins.json:ClientMusicChoiceMixin,pl:mixin:APP:ae2.mixins.json:PickColorMixin,pl:mixin:APP:puffish_skills.mixins.json:MinecraftClientMixin,pl:mixin:APP:architectury.mixins.json:MixinMinecraft,pl:mixin:APP:bridgingmod.mixins.json:MinecraftClientMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:client.MixinMinecraft,pl:mixin:APP:bookshelf.common.mixins.json:accessors.client.AccessorMinecraft,pl:mixin:APP:modernfix-common.mixins.json:perf.blast_search_trees.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.dedicated_reload_executor.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:feature.measure_time.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.concurrency.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.world_leaks.MinecraftMixin,pl:mixin:APP:modernfix-forge.mixins.json:feature.measure_time.MinecraftMixin_Forge,pl:mixin:APP:simpleradio.mixins.json:MixinMinecraft,pl:mixin:APP:iceberg.mixins.json:MinecraftMixin,pl:mixin:APP:rrls.mixins.json:MinecraftClientMixin,pl:mixin:APP:fallingleaves.mixins.json:MinecraftClientMixin,pl:mixin:APP:craterlib.mixins.json:events.client.MinecraftMixin,pl:mixin:APP:carryon.mixins.json:MinecraftMixin,pl:mixin:APP:mixins.oculus.json:MixinMinecraft_PipelineManagement,pl:mixin:APP:emi.mixins.json:MinecraftClientMixin,pl:mixin:APP:estrogen-common.mixins.json:client.MinecraftClientMixin,pl:mixin:APP:solid_mobs-common.mixins.json:MixinMinecraftClient,pl:mixin:APP:the_bumblezone-common.mixins.json:client.MinecraftMixin,pl:mixin:APP:railways-common.mixins.json:conductor_possession.MixinMinecraft,pl:mixin:APP:vs_clockwork-common.mixins.json:content.gravitron.MinecraftAccessor,pl:mixin:APP:resourcepackoverrides.common.mixins.json:client.MinecraftMixin,pl:mixin:APP:pickupnotifier.common.mixins.json:client.MinecraftMixin,pl:mixin:APP:entity_texture_features-common.mixins.json:reloading.MixinMinecraftClient,pl:mixin:APP:sodium-extra.mixins.json:gui.MinecraftClientAccessor,pl:mixin:APP:entity_model_features-common.mixins.json:MixinResourceReload,pl:mixin:APP:entity_model_features-common.mixins.json:accessor.MinecraftClientAccessor,pl:mixin:APP:ebe.mixins.json:MinecraftMixin,pl:mixin:APP:immersiveengineering.mixins.json:accessors.client.MinecraftAccess,pl:mixin:APP:flywheel.mixins.json:PausedPartialTickAccessor,pl:mixin:APP:ars_nouveau.mixins.json:light.ClientMixin,pl:mixin:APP:jeg.mixins.json:client.MinecraftMixin,pl:mixin:APP:spruceui.mixins.json:MinecraftClientMixin,pl:mixin:APP:exposure-common.mixins.json:MinecraftMixin,pl:mixin:APP:azurelib.forge.mixins.json:MinecraftMixin,pl:mixin:APP:nimble.mixins.json:MinecraftMixin,pl:mixin:APP:quark.mixins.json:client.MinecraftMixin,pl:mixin:APP:konkrete.mixin.json:MixinMinecraft,pl:mixin:APP:mixins/common/nochatreports.mixins.json:client.MixinMinecraft,pl:mixin:APP:balm.mixins.json:MinecraftMixin,pl:mixin:APP:create.mixins.json:client.WindowResizeMixin,pl:mixin:APP:embeddium.mixins.json:core.render.MinecraftAccessor,pl:mixin:APP:embeddium.mixins.json:core.MinecraftClientMixin,pl:mixin:APP:ars_nouveau.mixins.json:camera.MinecraftMixin,pl:mixin:APP:securitycraft.mixins.json:camera.MinecraftMixin,pl:mixin:APP:forge-badoptimizations.mixins.json:MixinClient,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.Minecraft.m_91374_(Minecraft.java:718) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:alexscaves.mixins.json:client.MinecraftMixin,pl:mixin:APP:mixins.modernui-forge.json:MixinMinecraft,pl:mixin:APP:redirectionor.mixins.json:net.minecraft.client.MinecraftMixin,pl:mixin:APP:biomemusic.mixins.json:ClientMusicChoiceMixin,pl:mixin:APP:ae2.mixins.json:PickColorMixin,pl:mixin:APP:puffish_skills.mixins.json:MinecraftClientMixin,pl:mixin:APP:architectury.mixins.json:MixinMinecraft,pl:mixin:APP:bridgingmod.mixins.json:MinecraftClientMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:client.MixinMinecraft,pl:mixin:APP:bookshelf.common.mixins.json:accessors.client.AccessorMinecraft,pl:mixin:APP:modernfix-common.mixins.json:perf.blast_search_trees.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.dedicated_reload_executor.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:feature.measure_time.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.concurrency.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.world_leaks.MinecraftMixin,pl:mixin:APP:modernfix-forge.mixins.json:feature.measure_time.MinecraftMixin_Forge,pl:mixin:APP:simpleradio.mixins.json:MixinMinecraft,pl:mixin:APP:iceberg.mixins.json:MinecraftMixin,pl:mixin:APP:rrls.mixins.json:MinecraftClientMixin,pl:mixin:APP:fallingleaves.mixins.json:MinecraftClientMixin,pl:mixin:APP:craterlib.mixins.json:events.client.MinecraftMixin,pl:mixin:APP:carryon.mixins.json:MinecraftMixin,pl:mixin:APP:mixins.oculus.json:MixinMinecraft_PipelineManagement,pl:mixin:APP:emi.mixins.json:MinecraftClientMixin,pl:mixin:APP:estrogen-common.mixins.json:client.MinecraftClientMixin,pl:mixin:APP:solid_mobs-common.mixins.json:MixinMinecraftClient,pl:mixin:APP:the_bumblezone-common.mixins.json:client.MinecraftMixin,pl:mixin:APP:railways-common.mixins.json:conductor_possession.MixinMinecraft,pl:mixin:APP:vs_clockwork-common.mixins.json:content.gravitron.MinecraftAccessor,pl:mixin:APP:resourcepackoverrides.common.mixins.json:client.MinecraftMixin,pl:mixin:APP:pickupnotifier.common.mixins.json:client.MinecraftMixin,pl:mixin:APP:entity_texture_features-common.mixins.json:reloading.MixinMinecraftClient,pl:mixin:APP:sodium-extra.mixins.json:gui.MinecraftClientAccessor,pl:mixin:APP:entity_model_features-common.mixins.json:MixinResourceReload,pl:mixin:APP:entity_model_features-common.mixins.json:accessor.MinecraftClientAccessor,pl:mixin:APP:ebe.mixins.json:MinecraftMixin,pl:mixin:APP:immersiveengineering.mixins.json:accessors.client.MinecraftAccess,pl:mixin:APP:flywheel.mixins.json:PausedPartialTickAccessor,pl:mixin:APP:ars_nouveau.mixins.json:light.ClientMixin,pl:mixin:APP:jeg.mixins.json:client.MinecraftMixin,pl:mixin:APP:spruceui.mixins.json:MinecraftClientMixin,pl:mixin:APP:exposure-common.mixins.json:MinecraftMixin,pl:mixin:APP:azurelib.forge.mixins.json:MinecraftMixin,pl:mixin:APP:nimble.mixins.json:MinecraftMixin,pl:mixin:APP:quark.mixins.json:client.MinecraftMixin,pl:mixin:APP:konkrete.mixin.json:MixinMinecraft,pl:mixin:APP:mixins/common/nochatreports.mixins.json:client.MixinMinecraft,pl:mixin:APP:balm.mixins.json:MinecraftMixin,pl:mixin:APP:create.mixins.json:client.WindowResizeMixin,pl:mixin:APP:embeddium.mixins.json:core.render.MinecraftAccessor,pl:mixin:APP:embeddium.mixins.json:core.MinecraftClientMixin,pl:mixin:APP:ars_nouveau.mixins.json:camera.MinecraftMixin,pl:mixin:APP:securitycraft.mixins.json:camera.MinecraftMixin,pl:mixin:APP:forge-badoptimizations.mixins.json:MixinClient,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.main.Main.main(Main.java:218) ~[1.20.1-47.1.106.jar:?] {re:mixin,pl:runtimedistcleaner:A,re:classloading,pl:mixin:APP:flywheel.mixins.json:ClientMainMixin,pl:mixin:A,pl:runtimedistcleaner:A}     at jdk.internal.reflect.DirectMethodHandleAccessor.invoke(Unknown Source) ~[?:?] {}     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:?] {re:mixin}     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.runTarget(CommonLaunchHandler.java:126) ~[loader-47.2.2.jar:47.2] {}     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.clientService(CommonLaunchHandler.java:114) ~[loader-47.2.2.jar:47.2] {}     at net.minecraftforge.fml.loading.targets.CommonClientLaunchHandler.runService(CommonClientLaunchHandler.java:24) ~[loader-47.2.2.jar:47.2] {}     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.lambda$launchService$4(CommonLaunchHandler.java:108) ~[loader-47.2.2.jar:47.2] {}     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:?] {} A detailed walkthrough of the error, its code path and all known details is as follows: --------------------------------------------------------------------------------------- -- Head -- Thread: Render thread Stacktrace:     at blusunrize.immersiveengineering.api.wires.GlobalWireNetwork.getNetwork(GlobalWireNetwork.java:94) ~[ImmersiveEngineering-1.20.1-10.0.0-169.jar%23857!/:?] {re:classloading}     at org.embeddedt.embeddium.compat.immersive.ImmersiveEmptyChunkChecker.hasWires(ImmersiveEmptyChunkChecker.java:11) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:classloading}     at org.embeddedt.embeddium.compat.immersive.ImmersiveConnectionRenderer.meshAppendEvent(ImmersiveConnectionRenderer.java:63) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:classloading}     at org.embeddedt.embeddium.api.eventbus.EventHandlerRegistrar.post(EventHandlerRegistrar.java:32) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:classloading}     at org.embeddedt.embeddium.api.ChunkMeshEvent.post(ChunkMeshEvent.java:66) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:classloading,pl:eventbus:A}     at me.jellysquid.mods.sodium.client.render.chunk.RenderSectionManager.onSectionAdded(RenderSectionManager.java:288) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinRenderSectionManager,pl:mixin:APP:valkyrienskies-forge.mixins.json:compat.sodium.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:options.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:vertex_format.MixinRenderSectionManager,pl:mixin:APP:ebe.mixins.json:embeddium.RenderSectionManagerMixin,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.chunk.RenderSectionManager.onChunkAdded(RenderSectionManager.java:799) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinRenderSectionManager,pl:mixin:APP:valkyrienskies-forge.mixins.json:compat.sodium.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:options.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.MixinRenderSectionManager,pl:mixin:APP:mixins.oculus.compat.sodium.json:vertex_format.MixinRenderSectionManager,pl:mixin:APP:ebe.mixins.json:embeddium.RenderSectionManagerMixin,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.chunk.map.ChunkTracker.forEachChunk(ChunkTracker.java:114) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinChunkTracker,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.chunk.map.ChunkTracker.forEachEvent(ChunkTracker.java:101) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinChunkTracker,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.SodiumWorldRenderer.processChunkEvents(SodiumWorldRenderer.java:244) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinSodiumWorldRenderer,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.MixinSodiumWorldRenderer,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.SodiumWorldRendererAccessor,pl:mixin:A}     at me.jellysquid.mods.sodium.client.render.SodiumWorldRenderer.setupTerrain(SodiumWorldRenderer.java:173) ~[embeddium-0.3.31+mc1.20.1.jar%23797!/:?] {re:mixin,re:classloading,pl:mixin:APP:valkyrienskies-common.mixins.json:mod_compat.sodium.MixinSodiumWorldRenderer,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.MixinSodiumWorldRenderer,pl:mixin:APP:mixins.oculus.compat.sodium.json:shadow_map.SodiumWorldRendererAccessor,pl:mixin:A}     at net.minecraft.client.renderer.LevelRenderer.m_194338_(LevelRenderer.java:31729) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,xf:fml:twilightforest:render,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,xf:fml:twilightforest:render,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.renderer.LevelRenderer.m_109599_(LevelRenderer.java:1162) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,xf:fml:twilightforest:render,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,xf:fml:twilightforest:render,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.renderer.GameRenderer.m_109089_(GameRenderer.java:1130) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:mixins.modernui-forge.json:MixinGameRenderer,pl:mixin:APP:mixins.modernui-textmc.json:MixinGameRenderer,pl:mixin:APP:supplementaries-common.mixins.json:GameRendererMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:client.renderer.MixinGameRenderer,pl:mixin:APP:immersive_aircraft.mixins.json:client.GameRendererMixin,pl:mixin:APP:rrls.mixins.json:compat.GameRendererMixin,pl:mixin:APP:rrls.mixins.json:compat.RendererKeyboardMouseMixin,pl:mixin:APP:shouldersurfing.mixins.json:MixinGameRenderer,pl:mixin:APP:alexscaves.mixins.json:client.GameRendererMixin,pl:mixin:APP:mixins.oculus.json:GameRendererAccessor,pl:mixin:APP:mixins.oculus.json:MixinGameRenderer,pl:mixin:APP:mixins.oculus.json:MixinModelViewBobbing,pl:mixin:APP:zeta_forge.mixins.json:client.GameRenderMixin,pl:mixin:APP:railways-common.mixins.json:conductor_possession.MixinGameRenderer,pl:mixin:APP:sodium-extra.mixins.json:prevent_shaders.MixinGameRenderer,pl:mixin:APP:okzoomer.mixins.json:GameRendererMixin,pl:mixin:APP:ars_nouveau.mixins.json:GameRendererMixin,pl:mixin:APP:jeg.mixins.json:client.GameRendererMixin,pl:mixin:APP:exposure-common.mixins.json:DrawViewfinderOverlayMixin,pl:mixin:APP:nimble.mixins.json:GameRendererMixin,pl:mixin:APP:create.mixins.json:accessor.GameRendererAccessor,pl:mixin:APP:create.mixins.json:client.GameRendererMixin,pl:mixin:APP:embeddium.mixins.json:features.gui.hooks.console.GameRendererMixin,pl:mixin:APP:mixins.oculus.json:MixinGameRenderer_NightVisionCompat,pl:mixin:APP:securitycraft.mixins.json:camera.GameRendererMixin,pl:mixin:APP:forge-badoptimizations.mixins.json:accessor.GameRendererFieldAccessor,pl:mixin:APP:forge-badoptimizations.mixins.json:tick.MixinGameRenderer,pl:mixin:A,pl:runtimedistcleaner:A} Mixins in Heaven:     me.jellysquid.mods.sodium.client.render.chunk.RenderSectionManager:         foundationgames.enhancedblockentities.core.mixin.embeddium.RenderSectionManagerMixin (ebe.mixins.json)         net.irisshaders.iris.compat.sodium.mixin.shadow_map.MixinRenderSectionManager (mixins.oculus.compat.sodium.json)         org.valkyrienskies.mod.mixin.mod_compat.sodium.MixinRenderSectionManager (valkyrienskies-common.mixins.json)         net.irisshaders.iris.compat.sodium.mixin.options.MixinRenderSectionManager (mixins.oculus.compat.sodium.json)         org.valkyrienskies.mod.forge.mixin.compat.sodium.MixinRenderSectionManager (valkyrienskies-forge.mixins.json)         net.irisshaders.iris.compat.sodium.mixin.vertex_format.MixinRenderSectionManager (mixins.oculus.compat.sodium.json)     me.jellysquid.mods.sodium.client.render.chunk.map.ChunkTracker:         org.valkyrienskies.mod.mixin.mod_compat.sodium.MixinChunkTracker (valkyrienskies-common.mixins.json)     me.jellysquid.mods.sodium.client.render.SodiumWorldRenderer:         net.irisshaders.iris.compat.sodium.mixin.shadow_map.SodiumWorldRendererAccessor (mixins.oculus.compat.sodium.json)         net.irisshaders.iris.compat.sodium.mixin.shadow_map.MixinSodiumWorldRenderer (mixins.oculus.compat.sodium.json)         org.valkyrienskies.mod.mixin.mod_compat.sodium.MixinSodiumWorldRenderer (valkyrienskies-common.mixins.json)     net.minecraft.client.renderer.LevelRenderer:         net.irisshaders.iris.mixin.shadows.MixinPreventRebuildNearInShadowPass (mixins.oculus.json)         net.irisshaders.iris.mixin.vertices.immediate.MixinLevelRenderer (mixins.oculus.vertexformat.json)         com.jozufozu.flywheel.mixin.instancemanage.InstanceUpdateMixin (flywheel.mixins.json)         org.violetmoon.quark.mixin.mixins.client.LevelRendererMixin (quark.mixins.json)         me.jellysquid.mods.sodium.mixin.features.render.gui.outlines.WorldRendererMixin (embeddium.mixins.json)         me.flashyreese.mods.sodiumextra.mixin.optimizations.beacon_beam_rendering.WorldRendererAccessor (sodium-extra.mixins.json)         blusunrize.immersiveengineering.mixin.coremods.client.LevelRendererMixin (immersiveengineering.mixins.json)         top.leonx.irisflw.mixin.MixinLevelRender (irisflw.mixins.flw.json)         me.flashyreese.mods.sodiumextra.mixin.sky.MixinWorldRenderer (sodium-extra.mixins.json)         me.flashyreese.mods.sodiumextra.mixin.sun_moon.MixinWorldRenderer (sodium-extra.mixins.json)         earth.terrarium.adastra.mixins.client.LevelRendererAccessor (adastra-common.mixins.json)         com.hollingsworth.arsnouveau.common.mixin.light.LevelRendererMixin (ars_nouveau.mixins.json)         com.teampotato.redirectionor.mixin.net.minecraft.client.renderer.LevelRendererMixin (redirectionor.mixins.json)         org.valkyrienskies.mod.forge.mixin.client.render.MixinLevelRenderer (valkyrienskies-forge.mixins.json)         net.geforcemods.securitycraft.mixin.camera.LevelRendererMixin (securitycraft.mixins.json)         icyllis.modernui.mc.text.mixin.MixinLevelRenderer (mixins.modernui-textmc.json)         net.irisshaders.iris.mixin.LevelRendererAccessor (mixins.oculus.json)         com.seibel.distanthorizons.forge.mixins.client.MixinLevelRenderer (forge-DistantHorizons.forge.mixins.json)         me.jellysquid.mods.sodium.mixin.core.render.world.WorldRendererMixin (embeddium.mixins.json)         me.cg360.mod.bridging.mixin.DebugLevelRendererMixin (bridgingmod.mixins.json)         com.github.alexthe666.citadel.mixin.client.LevelRendererMixin (citadel.mixins.json)         net.irisshaders.batchedentityrendering.mixin.MixinLevelRenderer_EntityListSorting (oculus-batched-entity-rendering.mixins.json)         net.irisshaders.batchedentityrendering.mixin.MixinLevelRenderer (oculus-batched-entity-rendering.mixins.json)         blusunrize.immersiveengineering.mixin.accessors.client.WorldRendererAccess (immersiveengineering.mixins.json)         com.simibubi.create.foundation.mixin.client.LevelRendererMixin (create.mixins.json)         me.flashyreese.mods.sodiumextra.mixin.stars.MixinWorldRenderer (sodium-extra.mixins.json)         org.valkyrienskies.mod.mixin.client.renderer.MixinLevelRenderer (valkyrienskies-common.mixins.json)         earth.terrarium.adastra.mixins.client.LevelRendererMixin (adastra-common.mixins.json)         com.Polarice3.Goety.mixin.LevelRendererMixin (goety.mixins.json)         com.telepathicgrunt.the_bumblezone.mixin.client.LevelRendererAccessor (the_bumblezone-common.mixins.json)         org.valkyrienskies.mod.mixin.accessors.client.render.LevelRendererAccessor (valkyrienskies-common.mixins.json)         corgitaco.enhancedcelestials.mixin.client.MixinWorldRenderer (enhancedcelestials.mixins.json)         foundationgames.enhancedblockentities.core.mixin.LevelRendererMixin (ebe.mixins.json)         net.irisshaders.iris.mixin.fabulous.MixinDisableFabulousGraphics (mixins.oculus.json)         org.valkyrienskies.mod.mixin.feature.transform_particles.MixinLevelRenderer (valkyrienskies-common.mixins.json)         me.flashyreese.mods.sodiumextra.mixin.particle.MixinWorldRenderer (sodium-extra.mixins.json)         com.aetherteam.aether.mixin.mixins.client.accessor.LevelRendererAccessor (aether.mixins.json)         net.irisshaders.iris.mixin.sky.MixinLevelRenderer_SunMoonToggle (mixins.oculus.json)         com.legacy.blue_skies.mixin.LevelRendererMixin (blue_skies.mixins.json)         com.jozufozu.flywheel.mixin.fix.FixFabulousDepthMixin (flywheel.mixins.json)         com.hollingsworth.arsnouveau.common.mixin.camera.LevelRendererMixin (ars_nouveau.mixins.json)         me.jellysquid.mods.sodium.mixin.features.options.weather.WorldRendererMixin (embeddium.mixins.json)         sereneseasons.mixin.client.MixinLevelRenderer (sereneseasons.mixins.json)         net.irisshaders.iris.compat.sodium.mixin.sky.MixinLevelRenderer (mixins.oculus.compat.sodium.json)         ttv.migami.jeg.mixin.client.LevelRendererMixin (jeg.mixins.json)         net.mehvahdjukaar.supplementaries.mixins.LevelRendererMixin (supplementaries-common.mixins.json)         dev.tr7zw.notenoughanimations.mixins.LevelRendererMixin (notenoughanimations.mixins.json)         net.irisshaders.iris.mixin.MixinLevelRenderer (mixins.oculus.json)         dev.kosmx.playerAnim.mixin.firstPerson.LevelRendererMixin (playerAnimator-common.mixins.json)         com.jozufozu.flywheel.mixin.LevelRendererAccessor (flywheel.mixins.json)         vazkii.patchouli.mixin.client.MixinLevelRenderer (patchouli_xplat.mixins.json)         rbasamoyai.createbigcannons.mixin.client.LevelRendererMixin (createbigcannons-common.mixins.json)         net.irisshaders.iris.mixin.shadows.MixinLevelRenderer (mixins.oculus.json)         net.mehvahdjukaar.supplementaries.mixins.ParrotMixin (supplementaries-common.mixins.json)         net.irisshaders.iris.mixin.fantastic.MixinLevelRenderer (mixins.oculus.fantastic.json)         com.supermartijn642.core.mixin.LevelRendererMixin (supermartijn642corelib.mixins.json)         com.jozufozu.flywheel.mixin.LevelRendererMixin (flywheel.mixins.json)         cofh.core.mixin.LevelRendererMixin (mixins.cofhcore.json)         org.valkyrienskies.clockwork.mixin.MixinLevelRenderer (vs_clockwork-common.mixins.json)         me.jellysquid.mods.sodium.mixin.features.render.world.clouds.WorldRendererMixin (embeddium.mixins.json)         com.github.alexmodguy.alexscaves.mixin.client.LevelRendererMixin (alexscaves.mixins.json)         party.lemons.biomemakeover.mixin.client.LevelRendererMixin (biomemakeover-common.mixins.json)         com.railwayteam.railways.mixin.conductor_possession.LevelRendererMixin (railways-common.mixins.json)         net.blay09.mods.kleeslabs.mixin.LevelRendererAccessor (kleeslabs.mixins.json)     net.minecraft.client.renderer.GameRenderer:         org.redlance.dima_dencep.mods.rrls.mixins.compat.GameRendererMixin (rrls.mixins.json)         ttv.migami.jeg.mixin.client.GameRendererMixin (jeg.mixins.json)         icyllis.modernui.mc.mixin.MixinGameRenderer (mixins.modernui-forge.json)         com.simibubi.create.foundation.mixin.client.GameRendererMixin (create.mixins.json)         forge.me.thosea.badoptimizations.mixin.tick.MixinGameRenderer (forge-badoptimizations.mixins.json)         net.irisshaders.iris.mixin.GameRendererAccessor (mixins.oculus.json)         com.simibubi.create.foundation.mixin.accessor.GameRendererAccessor (create.mixins.json)         net.mehvahdjukaar.supplementaries.mixins.GameRendererMixin (supplementaries-common.mixins.json)         forge.me.thosea.badoptimizations.mixin.accessor.GameRendererFieldAccessor (forge-badoptimizations.mixins.json)         icyllis.modernui.mc.text.mixin.MixinGameRenderer (mixins.modernui-textmc.json)         com.railwayteam.railways.mixin.conductor_possession.MixinGameRenderer (railways-common.mixins.json)         com.matyrobbrt.okzoomer.mixin.GameRendererMixin (okzoomer.mixins.json)         io.github.mortuusars.exposure.mixin.DrawViewfinderOverlayMixin (exposure-common.mixins.json)         me.jellysquid.mods.sodium.mixin.features.gui.hooks.console.GameRendererMixin (embeddium.mixins.json)         org.valkyrienskies.mod.mixin.client.renderer.MixinGameRenderer (valkyrienskies-common.mixins.json)         com.teamderpy.shouldersurfing.mixins.MixinGameRenderer (shouldersurfing.mixins.json)         com.hollingsworth.arsnouveau.common.mixin.GameRendererMixin (ars_nouveau.mixins.json)         net.irisshaders.iris.mixin.MixinGameRenderer_NightVisionCompat (mixins.oculus.json)         net.irisshaders.iris.mixin.MixinModelViewBobbing (mixins.oculus.json)         com.github.alexmodguy.alexscaves.mixin.client.GameRendererMixin (alexscaves.mixins.json)         net.geforcemods.securitycraft.mixin.camera.GameRendererMixin (securitycraft.mixins.json)         snownee.nimble.mixin.GameRendererMixin (nimble.mixins.json)         immersive_aircraft.mixin.client.GameRendererMixin (immersive_aircraft.mixins.json)         net.irisshaders.iris.mixin.MixinGameRenderer (mixins.oculus.json)         org.violetmoon.zetaimplforge.mixin.mixins.client.GameRenderMixin (zeta_forge.mixins.json)         me.flashyreese.mods.sodiumextra.mixin.prevent_shaders.MixinGameRenderer (sodium-extra.mixins.json)         org.redlance.dima_dencep.mods.rrls.mixins.compat.RendererKeyboardMouseMixin (rrls.mixins.json) -- Affected level -- Details:     All players: 1 total; [LocalPlayer['mayceon'/46776, l='ClientLevel', x=260.66, y=62.56, z=68.12]]     Chunk stats: 961, 609     Level dimension: minecraft:overworld     Level spawn location: World: (480,63,240), Section: (at 0,15,0 in 30,3,15; chunk contains blocks 480,-64,240 to 495,319,255), Region: (0,0; contains chunks 0,0 to 31,31, blocks 0,-64,0 to 511,319,511)     Level time: 2692395 game time, 2692395 day time     Server brand: forge     Server type: Non-integrated multiplayer server Stacktrace:     at net.minecraft.client.multiplayer.ClientLevel.m_6026_(ClientLevel.java:455) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:embeddium.mixins.json:features.render.world.ClientLevelMixin,pl:mixin:APP:supplementaries-common.mixins.json:ClientLevelMixin,pl:mixin:APP:enhancedcelestials.mixins.json:client.MixinClientWorld,pl:mixin:APP:architectury.mixins.json:MixinClientLevel,pl:mixin:APP:valkyrienskies-common.mixins.json:accessors.client.multiplayer.ClientLevelAccessor,pl:mixin:APP:valkyrienskies-common.mixins.json:client.world.MixinClientLevel,pl:mixin:APP:valkyrienskies-common.mixins.json:feature.block_tint.MixinClientLevel,pl:mixin:APP:valkyrienskies-common.mixins.json:feature.shipyard_entities.MixinClientLevel,pl:mixin:APP:citadel.mixins.json:client.ClientLevelMixin,pl:mixin:APP:createbigcannons-common.mixins.json:client.ClientLevelAccessor,pl:mixin:APP:alexscaves.mixins.json:client.ClientLevelMixin,pl:mixin:APP:craterlib.mixins.json:events.client.ClientLevelMixin,pl:mixin:APP:mixins.oculus.vertexformat.json:block_rendering.MixinClientLevel,pl:mixin:APP:the_bumblezone-common.mixins.json:client.ClientLevelAccessor,pl:mixin:APP:the_bumblezone-common.mixins.json:client.ClientLevelMixin,pl:mixin:APP:blue_skies.mixins.json:ClientLevelMixin,pl:mixin:APP:lithium.mixins.json:chunk.entity_class_groups.ClientWorldMixin,pl:mixin:APP:copycats-common.mixins.json:foundation.copycat.ClientLevelMixin,pl:mixin:APP:flywheel.mixins.json:ClientLevelMixin,pl:mixin:APP:embeddium.mixins.json:core.world.biome.ClientWorldMixin,pl:mixin:APP:embeddium.mixins.json:core.world.map.ClientWorldMixin,pl:mixin:APP:forge-badoptimizations.mixins.json:tick.MixinClientWorldCloudColor,pl:mixin:APP:forge-badoptimizations.mixins.json:tick.MixinClientWorldSkyColor,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.Minecraft.m_91354_(Minecraft.java:2319) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:alexscaves.mixins.json:client.MinecraftMixin,pl:mixin:APP:mixins.modernui-forge.json:MixinMinecraft,pl:mixin:APP:redirectionor.mixins.json:net.minecraft.client.MinecraftMixin,pl:mixin:APP:biomemusic.mixins.json:ClientMusicChoiceMixin,pl:mixin:APP:ae2.mixins.json:PickColorMixin,pl:mixin:APP:puffish_skills.mixins.json:MinecraftClientMixin,pl:mixin:APP:architectury.mixins.json:MixinMinecraft,pl:mixin:APP:bridgingmod.mixins.json:MinecraftClientMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:client.MixinMinecraft,pl:mixin:APP:bookshelf.common.mixins.json:accessors.client.AccessorMinecraft,pl:mixin:APP:modernfix-common.mixins.json:perf.blast_search_trees.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.dedicated_reload_executor.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:feature.measure_time.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.concurrency.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.world_leaks.MinecraftMixin,pl:mixin:APP:modernfix-forge.mixins.json:feature.measure_time.MinecraftMixin_Forge,pl:mixin:APP:simpleradio.mixins.json:MixinMinecraft,pl:mixin:APP:iceberg.mixins.json:MinecraftMixin,pl:mixin:APP:rrls.mixins.json:MinecraftClientMixin,pl:mixin:APP:fallingleaves.mixins.json:MinecraftClientMixin,pl:mixin:APP:craterlib.mixins.json:events.client.MinecraftMixin,pl:mixin:APP:carryon.mixins.json:MinecraftMixin,pl:mixin:APP:mixins.oculus.json:MixinMinecraft_PipelineManagement,pl:mixin:APP:emi.mixins.json:MinecraftClientMixin,pl:mixin:APP:estrogen-common.mixins.json:client.MinecraftClientMixin,pl:mixin:APP:solid_mobs-common.mixins.json:MixinMinecraftClient,pl:mixin:APP:the_bumblezone-common.mixins.json:client.MinecraftMixin,pl:mixin:APP:railways-common.mixins.json:conductor_possession.MixinMinecraft,pl:mixin:APP:vs_clockwork-common.mixins.json:content.gravitron.MinecraftAccessor,pl:mixin:APP:resourcepackoverrides.common.mixins.json:client.MinecraftMixin,pl:mixin:APP:pickupnotifier.common.mixins.json:client.MinecraftMixin,pl:mixin:APP:entity_texture_features-common.mixins.json:reloading.MixinMinecraftClient,pl:mixin:APP:sodium-extra.mixins.json:gui.MinecraftClientAccessor,pl:mixin:APP:entity_model_features-common.mixins.json:MixinResourceReload,pl:mixin:APP:entity_model_features-common.mixins.json:accessor.MinecraftClientAccessor,pl:mixin:APP:ebe.mixins.json:MinecraftMixin,pl:mixin:APP:immersiveengineering.mixins.json:accessors.client.MinecraftAccess,pl:mixin:APP:flywheel.mixins.json:PausedPartialTickAccessor,pl:mixin:APP:ars_nouveau.mixins.json:light.ClientMixin,pl:mixin:APP:jeg.mixins.json:client.MinecraftMixin,pl:mixin:APP:spruceui.mixins.json:MinecraftClientMixin,pl:mixin:APP:exposure-common.mixins.json:MinecraftMixin,pl:mixin:APP:azurelib.forge.mixins.json:MinecraftMixin,pl:mixin:APP:nimble.mixins.json:MinecraftMixin,pl:mixin:APP:quark.mixins.json:client.MinecraftMixin,pl:mixin:APP:konkrete.mixin.json:MixinMinecraft,pl:mixin:APP:mixins/common/nochatreports.mixins.json:client.MixinMinecraft,pl:mixin:APP:balm.mixins.json:MinecraftMixin,pl:mixin:APP:create.mixins.json:client.WindowResizeMixin,pl:mixin:APP:embeddium.mixins.json:core.render.MinecraftAccessor,pl:mixin:APP:embeddium.mixins.json:core.MinecraftClientMixin,pl:mixin:APP:ars_nouveau.mixins.json:camera.MinecraftMixin,pl:mixin:APP:securitycraft.mixins.json:camera.MinecraftMixin,pl:mixin:APP:forge-badoptimizations.mixins.json:MixinClient,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.Minecraft.m_91374_(Minecraft.java:740) ~[client-1.20.1-20230612.114412-srg.jar%231104!/:?] {re:mixin,pl:accesstransformer:B,pl:runtimedistcleaner:A,re:classloading,pl:accesstransformer:B,pl:mixin:APP:alexscaves.mixins.json:client.MinecraftMixin,pl:mixin:APP:mixins.modernui-forge.json:MixinMinecraft,pl:mixin:APP:redirectionor.mixins.json:net.minecraft.client.MinecraftMixin,pl:mixin:APP:biomemusic.mixins.json:ClientMusicChoiceMixin,pl:mixin:APP:ae2.mixins.json:PickColorMixin,pl:mixin:APP:puffish_skills.mixins.json:MinecraftClientMixin,pl:mixin:APP:architectury.mixins.json:MixinMinecraft,pl:mixin:APP:bridgingmod.mixins.json:MinecraftClientMixin,pl:mixin:APP:valkyrienskies-common.mixins.json:client.MixinMinecraft,pl:mixin:APP:bookshelf.common.mixins.json:accessors.client.AccessorMinecraft,pl:mixin:APP:modernfix-common.mixins.json:perf.blast_search_trees.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:perf.dedicated_reload_executor.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:feature.measure_time.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.concurrency.MinecraftMixin,pl:mixin:APP:modernfix-common.mixins.json:bugfix.world_leaks.MinecraftMixin,pl:mixin:APP:modernfix-forge.mixins.json:feature.measure_time.MinecraftMixin_Forge,pl:mixin:APP:simpleradio.mixins.json:MixinMinecraft,pl:mixin:APP:iceberg.mixins.json:MinecraftMixin,pl:mixin:APP:rrls.mixins.json:MinecraftClientMixin,pl:mixin:APP:fallingleaves.mixins.json:MinecraftClientMixin,pl:mixin:APP:craterlib.mixins.json:events.client.MinecraftMixin,pl:mixin:APP:carryon.mixins.json:MinecraftMixin,pl:mixin:APP:mixins.oculus.json:MixinMinecraft_PipelineManagement,pl:mixin:APP:emi.mixins.json:MinecraftClientMixin,pl:mixin:APP:estrogen-common.mixins.json:client.MinecraftClientMixin,pl:mixin:APP:solid_mobs-common.mixins.json:MixinMinecraftClient,pl:mixin:APP:the_bumblezone-common.mixins.json:client.MinecraftMixin,pl:mixin:APP:railways-common.mixins.json:conductor_possession.MixinMinecraft,pl:mixin:APP:vs_clockwork-common.mixins.json:content.gravitron.MinecraftAccessor,pl:mixin:APP:resourcepackoverrides.common.mixins.json:client.MinecraftMixin,pl:mixin:APP:pickupnotifier.common.mixins.json:client.MinecraftMixin,pl:mixin:APP:entity_texture_features-common.mixins.json:reloading.MixinMinecraftClient,pl:mixin:APP:sodium-extra.mixins.json:gui.MinecraftClientAccessor,pl:mixin:APP:entity_model_features-common.mixins.json:MixinResourceReload,pl:mixin:APP:entity_model_features-common.mixins.json:accessor.MinecraftClientAccessor,pl:mixin:APP:ebe.mixins.json:MinecraftMixin,pl:mixin:APP:immersiveengineering.mixins.json:accessors.client.MinecraftAccess,pl:mixin:APP:flywheel.mixins.json:PausedPartialTickAccessor,pl:mixin:APP:ars_nouveau.mixins.json:light.ClientMixin,pl:mixin:APP:jeg.mixins.json:client.MinecraftMixin,pl:mixin:APP:spruceui.mixins.json:MinecraftClientMixin,pl:mixin:APP:exposure-common.mixins.json:MinecraftMixin,pl:mixin:APP:azurelib.forge.mixins.json:MinecraftMixin,pl:mixin:APP:nimble.mixins.json:MinecraftMixin,pl:mixin:APP:quark.mixins.json:client.MinecraftMixin,pl:mixin:APP:konkrete.mixin.json:MixinMinecraft,pl:mixin:APP:mixins/common/nochatreports.mixins.json:client.MixinMinecraft,pl:mixin:APP:balm.mixins.json:MinecraftMixin,pl:mixin:APP:create.mixins.json:client.WindowResizeMixin,pl:mixin:APP:embeddium.mixins.json:core.render.MinecraftAccessor,pl:mixin:APP:embeddium.mixins.json:core.MinecraftClientMixin,pl:mixin:APP:ars_nouveau.mixins.json:camera.MinecraftMixin,pl:mixin:APP:securitycraft.mixins.json:camera.MinecraftMixin,pl:mixin:APP:forge-badoptimizations.mixins.json:MixinClient,pl:mixin:A,pl:runtimedistcleaner:A}     at net.minecraft.client.main.Main.main(Main.java:218) ~[1.20.1-47.1.106.jar:?] {re:mixin,pl:runtimedistcleaner:A,re:classloading,pl:mixin:APP:flywheel.mixins.json:ClientMainMixin,pl:mixin:A,pl:runtimedistcleaner:A}     at jdk.internal.reflect.DirectMethodHandleAccessor.invoke(Unknown Source) ~[?:?] {}     at java.lang.reflect.Method.invoke(Unknown Source) ~[?:?] {re:mixin}     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.runTarget(CommonLaunchHandler.java:126) ~[loader-47.2.2.jar:47.2] {}     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.clientService(CommonLaunchHandler.java:114) ~[loader-47.2.2.jar:47.2] {}     at net.minecraftforge.fml.loading.targets.CommonClientLaunchHandler.runService(CommonClientLaunchHandler.java:24) ~[loader-47.2.2.jar:47.2] {}     at net.minecraftforge.fml.loading.targets.CommonLaunchHandler.lambda$launchService$4(CommonLaunchHandler.java:108) ~[loader-47.2.2.jar:47.2] {}     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:?] {} Mixins in Heaven:     net.minecraft.client.multiplayer.ClientLevel:         com.telepathicgrunt.the_bumblezone.mixin.client.ClientLevelAccessor (the_bumblezone-common.mixins.json)         org.valkyrienskies.mod.mixin.feature.block_tint.MixinClientLevel (valkyrienskies-common.mixins.json)         com.jozufozu.flywheel.mixin.ClientLevelMixin (flywheel.mixins.json)         org.valkyrienskies.mod.mixin.accessors.client.multiplayer.ClientLevelAccessor (valkyrienskies-common.mixins.json)         corgitaco.enhancedcelestials.mixin.client.MixinClientWorld (enhancedcelestials.mixins.json)         com.telepathicgrunt.the_bumblezone.mixin.client.ClientLevelMixin (the_bumblezone-common.mixins.json)         net.mehvahdjukaar.supplementaries.mixins.ClientLevelMixin (supplementaries-common.mixins.json)         net.irisshaders.iris.mixin.vertices.block_rendering.MixinClientLevel (mixins.oculus.vertexformat.json)         com.legacy.blue_skies.mixin.ClientLevelMixin (blue_skies.mixins.json)         forge.me.thosea.badoptimizations.mixin.tick.MixinClientWorldCloudColor (forge-badoptimizations.mixins.json)         com.hypherionmc.craterlib.mixin.events.client.ClientLevelMixin (craterlib.mixins.json)         me.jellysquid.mods.lithium.mixin.chunk.entity_class_groups.ClientWorldMixin (lithium.mixins.json)         com.copycatsplus.copycats.mixin.foundation.copycat.ClientLevelMixin (copycats-common.mixins.json)         rbasamoyai.createbigcannons.mixin.client.ClientLevelAccessor (createbigcannons-common.mixins.json)         me.jellysquid.mods.sodium.mixin.features.render.world.ClientLevelMixin (embeddium.mixins.json)         me.jellysquid.mods.sodium.mixin.core.world.map.ClientWorldMixin (embeddium.mixins.json)         com.github.alexthe666.citadel.mixin.client.ClientLevelMixin (citadel.mixins.json)         forge.me.thosea.badoptimizations.mixin.tick.MixinClientWorldSkyColor (forge-badoptimizations.mixins.json)         org.valkyrienskies.mod.mixin.feature.shipyard_entities.MixinClientLevel (valkyrienskies-common.mixins.json)         dev.architectury.mixin.forge.MixinClientLevel (architectury.mixins.json)         org.valkyrienskies.mod.mixin.client.world.MixinClientLevel (valkyrienskies-common.mixins.json)         me.jellysquid.mods.sodium.mixin.core.world.biome.ClientWorldMixin (embeddium.mixins.json)         com.github.alexmodguy.alexscaves.mixin.client.ClientLevelMixin (alexscaves.mixins.json)     net.minecraft.client.Minecraft:         com.telepathicgrunt.the_bumblezone.mixin.client.MinecraftMixin (the_bumblezone-common.mixins.json)         org.redlance.dima_dencep.mods.rrls.mixins.MinecraftClientMixin (rrls.mixins.json)         traben.entity_model_features.mixin.MixinResourceReload (entity_model_features-common.mixins.json)         com.hypherionmc.craterlib.mixin.events.client.MinecraftMixin (craterlib.mixins.json)         traben.entity_model_features.mixin.accessor.MinecraftClientAccessor (entity_model_features-common.mixins.json)         forge.me.thosea.badoptimizations.mixin.MixinClient (forge-badoptimizations.mixins.json)         com.github.alexmodguy.alexscaves.mixin.client.MinecraftMixin (alexscaves.mixins.json)         mod.azure.azurelib.mixins.MinecraftMixin (azurelib.forge.mixins.json)         io.github.mortuusars.exposure.mixin.MinecraftMixin (exposure-common.mixins.json)         com.simibubi.create.foundation.mixin.client.WindowResizeMixin (create.mixins.json)         com.jozufozu.flywheel.mixin.PausedPartialTickAccessor (flywheel.mixins.json)         net.darkhax.bookshelf.mixin.accessors.client.AccessorMinecraft (bookshelf.common.mixins.json)         org.embeddedt.modernfix.common.mixin.perf.blast_search_trees.MinecraftMixin (modernfix-common.mixins.json)         net.puffish.skillsmod.mixin.MinecraftClientMixin (puffish_skills.mixins.json)         traben.entity_texture_features.mixin.reloading.MixinMinecraftClient (entity_texture_features-common.mixins.json)         de.keksuccino.konkrete.mixin.client.MixinMinecraft (konkrete.mixin.json)         net.blay09.mods.balm.mixin.MinecraftMixin (balm.mixins.json)         dev.lambdaurora.spruceui.mixin.MinecraftClientMixin (spruceui.mixins.json)         com.teampotato.redirectionor.mixin.net.minecraft.client.MinecraftMixin (redirectionor.mixins.json)         ttv.migami.jeg.mixin.client.MinecraftMixin (jeg.mixins.json)         fuzs.pickupnotifier.mixin.client.MinecraftMixin (pickupnotifier.common.mixins.json)         com.aizistral.nochatreports.common.mixins.client.MixinMinecraft (mixins/common/nochatreports.mixins.json)         dev.architectury.mixin.forge.MixinMinecraft (architectury.mixins.json)         org.embeddedt.modernfix.common.mixin.bugfix.world_leaks.MinecraftMixin (modernfix-common.mixins.json)         me.cg360.mod.bridging.mixin.MinecraftClientMixin (bridgingmod.mixins.json)         blusunrize.immersiveengineering.mixin.accessors.client.MinecraftAccess (immersiveengineering.mixins.json)         com.hollingsworth.arsnouveau.common.mixin.camera.MinecraftMixin (ars_nouveau.mixins.json)         tschipp.carryon.mixin.MinecraftMixin (carryon.mixins.json)         org.embeddedt.modernfix.common.mixin.feature.measure_time.MinecraftMixin (modernfix-common.mixins.json)         org.violetmoon.quark.mixin.mixins.client.MinecraftMixin (quark.mixins.json)         org.embeddedt.modernfix.common.mixin.bugfix.concurrency.MinecraftMixin (modernfix-common.mixins.json)         snownee.nimble.mixin.MinecraftMixin (nimble.mixins.json)         org.valkyrienskies.clockwork.mixin.content.gravitron.MinecraftAccessor (vs_clockwork-common.mixins.json)         icyllis.modernui.mc.mixin.MixinMinecraft (mixins.modernui-forge.json)         com.hollingsworth.arsnouveau.common.mixin.light.ClientMixin (ars_nouveau.mixins.json)         org.valkyrienskies.mod.mixin.client.MixinMinecraft (valkyrienskies-common.mixins.json)         me.jellysquid.mods.sodium.mixin.core.MinecraftClientMixin (embeddium.mixins.json)         de.cheaterpaul.fallingleaves.mixin.MinecraftClientMixin (fallingleaves.mixins.json)         org.embeddedt.modernfix.forge.mixin.feature.measure_time.MinecraftMixin_Forge (modernfix-forge.mixins.json)         com.anthonyhilyard.iceberg.mixin.MinecraftMixin (iceberg.mixins.json)         dev.emi.emi.mixin.MinecraftClientMixin (emi.mixins.json)         fuzs.resourcepackoverrides.mixin.client.MinecraftMixin (resourcepackoverrides.common.mixins.json)         net.irisshaders.iris.mixin.MixinMinecraft_PipelineManagement (mixins.oculus.json)         com.railwayteam.railways.mixin.conductor_possession.MixinMinecraft (railways-common.mixins.json)         com.codinglitch.simpleradio.mixin.MixinMinecraft (simpleradio.mixins.json)         org.embeddedt.modernfix.common.mixin.perf.dedicated_reload_executor.MinecraftMixin (modernfix-common.mixins.json)         me.jellysquid.mods.sodium.mixin.core.render.MinecraftAccessor (embeddium.mixins.json)         dev.mayaqq.estrogen.mixin.client.MinecraftClientMixin (estrogen-common.mixins.json)         net.geforcemods.securitycraft.mixin.camera.MinecraftMixin (securitycraft.mixins.json)         appeng.mixins.PickColorMixin (ae2.mixins.json)         traben.solid_mobs.mixin.MixinMinecraftClient (solid_mobs-common.mixins.json)         com.biomemusic.mixin.ClientMusicChoiceMixin (biomemusic.mixins.json)         foundationgames.enhancedblockentities.core.mixin.MinecraftMixin (ebe.mixins.json)         me.flashyreese.mods.sodiumextra.mixin.gui.MinecraftClientAccessor (sodium-extra.mixins.json)     net.minecraft.client.main.Main:         com.jozufozu.flywheel.mixin.ClientMainMixin (flywheel.mixins.json) -- Last reload -- Details:     Reload number: 2     Reload reason: manual     Finished: No     Packs: vanilla, mod_resources, builtin/towntalk, Moonlight Mods Dynamic Assets, builtin/DAGoldenSwetBallFixClient, overrides_pack -- System Details -- Details:     Minecraft Version: 1.20.1     Minecraft Version ID: 1.20.1     Operating System: Windows 10 (amd64) version 10.0     Java Version: 21.0.7, Azul Systems, Inc.     Java VM Version: OpenJDK 64-Bit Server VM (mixed mode, sharing), Azul Systems, Inc.     Memory: 3118465024 bytes (2974 MiB) / 8388608000 bytes (8000 MiB) up to 8388608000 bytes (8000 MiB)     CPUs: 16     Processor Vendor: AuthenticAMD     Processor Name: AMD Ryzen 7 2700X Eight-Core Processor              Identifier: AuthenticAMD Family 23 Model 8 Stepping 2     Microarchitecture: Zen+     Frequency (GHz): 3.70     Number of physical packages: 1     Number of physical CPUs: 8     Number of logical CPUs: 16     Graphics card #0 name: NVIDIA GeForce GTX 1650     Graphics card #0 vendor: NVIDIA (0x10de)     Graphics card #0 VRAM (MB): 4095.00     Graphics card #0 deviceId: 0x1f82     Graphics card #0 versionInfo: DriverVersion=32.0.15.7640     Memory slot #0 capacity (MB): 8192.00     Memory slot #0 clockSpeed (GHz): 2.13     Memory slot #0 type: DDR4     Memory slot #1 capacity (MB): 8192.00     Memory slot #1 clockSpeed (GHz): 2.13     Memory slot #1 type: DDR4     Virtual memory max (MB): 27573.58     Virtual memory used (MB): 24255.22     Swap memory total (MB): 11264.00     Swap memory used (MB): 1919.24     JVM Flags: 2 total; -XX:HeapDumpPath=MojangTricksIntelDriversForPerformance_javaw.exe_minecraft.exe.heapdump -Xmx8000M     Loaded Shaderpack: (off)     Launched Version: 1.20.1     Backend library: LWJGL version 3.3.1 build 7     Backend API: NVIDIA GeForce GTX 1650/PCIe/SSE2 GL version 4.6.0 NVIDIA 576.40, NVIDIA Corporation     Window size: 1920x1017     GL Caps: Using framebuffer using OpenGL 3.2     GL debug messages:      Using VBOs: Yes     Is Modded: Definitely; Client brand changed to 'forge'     Type: Client (map_client.txt)     Graphics mode: fast     Resource Packs:      Current Language: en_us     CPU: 16x AMD Ryzen 7 2700X Eight-Core Processor      ModLauncher: 10.0.9+10.0.9+main.dcd20f30     ModLauncher launch target: forgeclient     ModLauncher naming: srg     ModLauncher services:          mixin-0.8.5.jar mixin PLUGINSERVICE          eventbus-6.0.5.jar eventbus PLUGINSERVICE          loader-47.2.2.jar slf4jfixer PLUGINSERVICE          loader-47.2.2.jar object_holder_definalize PLUGINSERVICE          loader-47.2.2.jar runtime_enum_extender PLUGINSERVICE          loader-47.2.2.jar capability_token_subclass PLUGINSERVICE          accesstransformers-8.0.4.jar accesstransformer PLUGINSERVICE          loader-47.2.2.jar runtimedistcleaner PLUGINSERVICE          modlauncher-10.0.9.jar mixin TRANSFORMATIONSERVICE          modlauncher-10.0.9.jar fml TRANSFORMATIONSERVICE      FML Language Providers:          kotlinforforge@4.11.0         lowcodefml@47.2         minecraft@47.2         javafml@47.2     Mod List:          YungsBetterDungeons-1.20-Forge-4.0.3.jar          |YUNG's Better Dungeons        |betterdungeons                |1.20-Forge-4.0.3    |DONE      |Manifest: NOSIGNATURE         open-parties-and-claims-forge-1.20.1-0.19.3.jar   |Open Parties and Claims       |openpartiesandclaims          |0.19.3              |DONE      |Manifest: NOSIGNATURE         ForgeEndertech-1.20.1-11.1.0.0-build.0142.jar     |ForgeEndertech                |forgeendertech                |11.1.0.0            |DONE      |Manifest: NOSIGNATURE         modernfix-forge-5.15.0+mc1.20.1.jar               |ModernFix                     |modernfix                     |5.15.0+mc1.20.1     |DONE      |Manifest: NOSIGNATURE         YungsApi-1.20-Forge-4.0.2.jar                     |YUNG's API                    |yungsapi                      |1.20-Forge-4.0.2    |DONE      |Manifest: NOSIGNATURE         mcw-stairs-1.0.0-1.20.1forge.jar                  |Macaw's Stairs and Balconies  |mcwstairs                     |1.0.0               |DONE      |Manifest: NOSIGNATURE         atlantis-2024.12.12-1.20.1-9.0-forge.jar          |Atlantis                      |atlantis                      |2024.12.12-1.20.1-9.|DONE      |Manifest: NOSIGNATURE         clientcrafting-1.20.1-1.7.jar                     |clientcrafting mod            |clientcrafting                |1.20.1-1.7          |DONE      |Manifest: NOSIGNATURE         clickadv-1.20.1-3.6.jar                           |clickadv mod                  |clickadv                      |1.20.1-3.6          |DONE      |Manifest: NOSIGNATURE         PickUpNotifier-v8.0.0-1.20.1-Forge.jar            |Pick Up Notifier              |pickupnotifier                |8.0.0               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         SimplyHouses-1.1.4-1.20.1-forge.jar               |Simply Houses                 |simply_houses                 |1.1.4-1.20.1        |DONE      |Manifest: NOSIGNATURE         create-new-age-forge-1.20.1-1.1.1.jar             |Create: New Age               |create_new_age                |1.1.1               |DONE      |Manifest: NOSIGNATURE         whatareyouvotingfor2023-1.20.1-1.2.3.jar          |What Are You Voting For? 2023 |whatareyouvotingfor           |1.2.3               |DONE      |Manifest: NOSIGNATURE         exposure-1.20.1-1.4.1-forge.jar                   |Exposure                      |exposure                      |1.4.1               |DONE      |Manifest: NOSIGNATURE         YungsBetterNetherFortresses-1.20-Forge-2.0.5.jar  |YUNG's Better Nether Fortresse|betterfortresses              |1.20-Forge-2.0.5    |DONE      |Manifest: NOSIGNATURE         Paraglider-forge-20.1.1.jar                       |Paraglider                    |paraglider                    |20.1.1              |DONE      |Manifest: NOSIGNATURE         cloth-config-11.1.118-forge.jar                   |Cloth Config v10 API          |cloth_config                  |11.1.118            |DONE      |Manifest: NOSIGNATURE         refinedstorage-1.12.4.jar                         |Refined Storage               |refinedstorage                |1.12.4              |DONE      |Manifest: NOSIGNATURE         embeddium-0.3.31+mc1.20.1.jar                     |Embeddium                     |embeddium                     |0.3.31+mc1.20.1     |DONE      |Manifest: NOSIGNATURE         structure_gel-1.20.1-2.15.1.jar                   |Structure Gel API             |structure_gel                 |2.15.1              |DONE      |Manifest: NOSIGNATURE         explorations-forge-1.20.1-1.5.2.jar               |Explorations+                 |explorations                  |1.20.1-1.5.2        |DONE      |Manifest: NOSIGNATURE         corpse-1.20.1-1.0.5.jar                           |Corpse                        |corpse                        |1.20.1-1.0.5        |DONE      |Manifest: NOSIGNATURE         industrial-foregoing-1.20.1-3.5.9.jar             |Industrial Foregoing          |industrialforegoing           |3.5.9               |DONE      |Manifest: NOSIGNATURE         ImmersiveUI-FORGE-0.3.0.jar                       |ImmersiveUI                   |immersiveui                   |0.3.0               |DONE      |Manifest: NOSIGNATURE         handcrafted-forge-1.20.1-3.0.1.jar                |Handcrafted                   |handcrafted                   |3.0.1               |DONE      |Manifest: NOSIGNATURE         repurposed_structures-7.1.6+1.20.1-forge.jar      |Repurposed Structures         |repurposed_structures         |7.1.6+1.20.1-forge  |DONE      |Manifest: NOSIGNATURE         BetterCompatibilityChecker-neo-4.0.8+mc1.20.1.jar |Better Compatibility Checker  |bcc                           |4.0.8               |DONE      |Manifest: NOSIGNATURE         Highlighter-1.20.1-forge-1.1.9.jar                |Highlighter                   |highlighter                   |1.1.9               |DONE      |Manifest: NOSIGNATURE         spark-1.10.53-forge.jar                           |spark                         |spark                         |1.10.53             |DONE      |Manifest: NOSIGNATURE         Philips-Ruins1.20.1-2.8.jar                       |Philips Ruins                 |philipsruins                  |2.8                 |DONE      |Manifest: NOSIGNATURE         right-click-harvest-3.2.3+1.20.1-forge.jar        |Right Click Harvest           |rightclickharvest             |3.2.3+1.20.1-forge  |DONE      |Manifest: NOSIGNATURE         oculus-mc1.20.1-1.8.0.jar                         |Oculus                        |oculus                        |1.8.0               |DONE      |Manifest: NOSIGNATURE         advancednetherite-forge-2.0.2-1.20.1.jar          |Advanced Netherite            |advancednetherite             |2.0.2               |DONE      |Manifest: NOSIGNATURE         [Forge]backported_wolves_forge-1.0.3-1.20.1.jar   |Backported Wolves             |backported_wolves             |1.0.3-1.20.1        |DONE      |Manifest: NOSIGNATURE         YungsExtras-1.20-Forge-4.0.3.jar                  |YUNG's Extras                 |yungsextras                   |1.20-Forge-4.0.3    |DONE      |Manifest: NOSIGNATURE         dungeons-and-taverns-3.0.3 [Forge].jar            |Dungeons and Taverns          |mr_dungeons_andtaverns        |3.0.3               |DONE      |Manifest: NOSIGNATURE         ApothicAttributes-1.20.1-1.2.1.jar                |Apothic Attributes            |attributeslib                 |1.2.1               |DONE      |Manifest: NOSIGNATURE         bettervillage-forge-1.20.1-3.2.0.jar              |Better village                |bettervillage                 |3.1.0               |DONE      |Manifest: NOSIGNATURE         noisium-forge-2.3.0+mc1.20-1.20.1.jar             |Noisium                       |noisium                       |2.3.0+mc1.20-1.20.1 |DONE      |Manifest: NOSIGNATURE         cumulus_menus-1.20.1-1.0.0-neoforge.jar           |Cumulus                       |cumulus_menus                 |1.20.1-1.0.0-neoforg|DONE      |Manifest: NOSIGNATURE         mcw-roofs-2.3.1-mc1.20.1forge.jar                 |Macaw's Roofs                 |mcwroofs                      |2.3.1               |DONE      |Manifest: NOSIGNATURE         littlelogistics-mc1.20.1-v1.20.1.2.jar            |Little Logistics              |littlelogistics               |1.20.1.2            |DONE      |Manifest: NOSIGNATURE         NetherChested-v8.0.1-1.20.1-Forge.jar             |Nether Chested                |netherchested                 |8.0.1               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         emiffect-forge-1.1.2+mc1.20.1.jar                 |EMIffect                      |emiffect                      |1.1.2+mc1.20.1      |DONE      |Manifest: NOSIGNATURE         flib-1.20.1-0.0.11.jar                            |flib                          |flib                          |0.0.11              |DONE      |Manifest: 1f:47:ac:b1:61:82:96:b8:47:19:16:d2:61:81:11:60:3a:06:4b:61:31:56:7d:44:31:1e:0c:6f:22:5b:4c:ed         YungsBetterEndIsland-1.20-Forge-2.0.4.jar         |YUNG's Better End Island      |betterendisland               |1.20-Forge-2.0.4    |DONE      |Manifest: NOSIGNATURE         nitrogen_internals-1.20.1-1.0.1-neoforge.jar      |Nitrogen                      |nitrogen_internals            |1.20.1-1.0.1-neoforg|DONE      |Manifest: NOSIGNATURE         the_bumblezone-7.2.7+1.20.1-forge.jar             |The Bumblezone                |the_bumblezone                |7.2.7+1.20.1-forge  |DONE      |Manifest: NOSIGNATURE         l2library-2.4.16-slim.jar                         |L2 Library                    |l2library                     |2.4.16              |DONE      |Manifest: NOSIGNATURE         BetterModsButton-v8.0.2-1.20.1-Forge.jar          |Better Mods Button            |bettermodsbutton              |8.0.2               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         mcw-lights-1.0.6-mc1.20.1forge.jar                |Macaw's Lights and Lamps      |mcwlights                     |1.0.6               |DONE      |Manifest: NOSIGNATURE         YungsBetterJungleTemples-1.20-Forge-2.0.3.jar     |YUNG's Better Jungle Temples  |betterjungletemples           |1.20-Forge-2.0.3    |DONE      |Manifest: NOSIGNATURE         Byzantine-1.20.1-11.1.jar                         |Byzantine                     |byzantine                     |11h                 |DONE      |Manifest: NOSIGNATURE         SmartBrainLib-neoforge-1.20.1-1.13.jar            |SmartBrainLib                 |smartbrainlib                 |1.13                |DONE      |Manifest: NOSIGNATURE         radium-mc1.20.1-0.12.4+git.26c9d8e.jar            |Radium                        |radium                        |0.12.4+git.26c9d8e  |DONE      |Manifest: NOSIGNATURE         Kiwi-1.20.1-forge-11.1.1.jar                      |Kiwi Library                  |kiwi                          |11.1.1              |DONE      |Manifest: NOSIGNATURE         bellsandwhistles-0.4.3-1.20.x.jar                 |Create: Bells & Whistles      |bellsandwhistles              |0.4.3-1.20.x        |DONE      |Manifest: NOSIGNATURE         puffish_skills-0.15.4-1.20-forge.jar              |Pufferfish's Skills           |puffish_skills                |0.15.4              |DONE      |Manifest: NOSIGNATURE         MutantMonsters-v8.0.4-1.20.1-Forge.jar            |Mutant Monsters               |mutantmonsters                |8.0.4               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         VisualWorkbench-v8.0.0-1.20.1-Forge.jar           |Visual Workbench              |visualworkbench               |8.0.0               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         AttributeFix-Forge-1.20.1-21.0.4.jar              |AttributeFix                  |attributefix                  |21.0.4              |DONE      |Manifest: eb:c4:b1:67:8b:f9:0c:db:dc:4f:01:b1:8e:61:64:39:4c:10:85:0b:a6:c4:c7:48:f0:fa:95:f2:cb:08:3a:e5         libraryferret-forge-1.20.1-4.0.0.jar              |Library ferret                |libraryferret                 |4.0.0               |DONE      |Manifest: NOSIGNATURE         epicsamurai-0.0.26.2-1.20.1-forge.jar             |Epic Samurai                  |epicsamurai                   |0.0.26.2-1.20.1-forg|DONE      |Manifest: NOSIGNATURE         caelus-forge-3.1.0+1.20.jar                       |Caelus API                    |caelus                        |3.1.0+1.20          |DONE      |Manifest: NOSIGNATURE         fastasyncworldsave-1.20.1-1.4.jar                 |fastasyncworldsave mod        |fastasyncworldsave            |1.20.1-1.4          |DONE      |Manifest: NOSIGNATURE         EpheroLib-1.20.1-FORGE-1.2.0.jar                  |BOZOID                        |epherolib                     |0.1.2               |DONE      |Manifest: NOSIGNATURE         badpackets-forge-0.4.3.jar                        |Bad Packets                   |badpackets                    |0.4.3               |DONE      |Manifest: NOSIGNATURE         laserbridges-1.20.1-3-forge.jar                   |LaserBridge                   |laserbridges                  |1.20.1-3-forge      |DONE      |Manifest: NOSIGNATURE         Modular Forcefields-1.20.1-0.2.0-2.jar            |Modular Forcefields           |modularforcefields            |1.20.1-0.2.0-2      |DONE      |Manifest: NOSIGNATURE         phosphophyllite-1.20.1-0.7.0-alpha.1.jar          |Phosphophyllite               |phosphophyllite               |0.7.0-alpha.1       |DONE      |Manifest: NOSIGNATURE         CraterLib-Forge-1.20-2.0.1.jar                    |CraterLib                     |craterlib                     |2.0.1               |DONE      |Manifest: NOSIGNATURE         snowundertrees-1.20-1.4.1.jar                     |Snow Under Trees              |snowundertrees                |1.4.1               |DONE      |Manifest: NOSIGNATURE         rare-ice-0.6.0.jar                                |Rare Ice                      |rare_ice                      |0.0NONE             |DONE      |Manifest: NOSIGNATURE         AnimaticaReforged-1.20.1-0.0.2.jar                |AnimaticaReforged             |animatica                     |1.20.1-0.0.1        |DONE      |Manifest: NOSIGNATURE         scholar-1.20.1-1.0.0-forge.jar                    |Scholar                       |scholar                       |1.0.0               |DONE      |Manifest: NOSIGNATURE         Electrodynamics-1.20.1-0.9.1-2.jar                |Electrodynamics               |electrodynamics               |1.20.1-0.9.1-2      |DONE      |Manifest: NOSIGNATURE         fusion-1.1.1-forge-mc1.20.1.jar                   |Fusion                        |fusion                        |1.1.1               |DONE      |Manifest: NOSIGNATURE         emotecraft-for-MC1.20.1-2.2.7-b.build.50-forge.jar|Emotecraft                    |emotecraft                    |2.2.7-b.build.50    |DONE      |Manifest: NOSIGNATURE         tectonic-forge-1.20.1-2.4.1.jar                   |Tectonic                      |tectonic                      |2.4.1               |DONE      |Manifest: NOSIGNATURE         hearths-v1.0.0-mc1.20u1.20.1.jar                  |Hearths                       |hearths                       |1.0.0-mc1.20u1.20.1 |DONE      |Manifest: NOSIGNATURE         client-1.20.1-20230612.114412-srg.jar             |Minecraft                     |minecraft                     |1.20.1              |DONE      |Manifest: a1:d4:5e:04:4f:d3:d6:e0:7b:37:97:cf:77:b0:de:ad:4a:47:ce:8c:96:49:5f:0a:cf:8c:ae:b2:6d:4b:8a:3f         smoothchunk-1.20.1-3.5.jar                        |Smoothchunk mod               |smoothchunk                   |1.20.1-3.5          |DONE      |Manifest: NOSIGNATURE         voicechat-forge-1.20.1-2.4.32.jar                 |Simple Voice Chat             |voicechat                     |1.20.1-2.4.32       |DONE      |Manifest: NOSIGNATURE         TerraBlender-forge-1.20.1-3.0.1.7.jar             |TerraBlender                  |terrablender                  |3.0.1.7             |DONE      |Manifest: NOSIGNATURE         BiomesOPlenty-1.20.1-18.0.0.598.jar               |Biomes O' Plenty              |biomesoplenty                 |18.0.0.598          |DONE      |Manifest: NOSIGNATURE         ForgeConfigScreens-v8.0.2-1.20.1-Forge.jar        |Forge Config Screens          |forgeconfigscreens            |8.0.2               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         Necronomicon-Forge-1.4.2.jar                      |Necronomicon                  |necronomicon                  |1.4.2               |DONE      |Manifest: NOSIGNATURE         ShoulderSurfing-Forge-1.20.1-2.8.1.jar            |Shoulder Surfing              |shouldersurfing               |1.20.1-2.8.1        |DONE      |Manifest: NOSIGNATURE         justenoughbreeding-forge-1.20.x-1.0.12.jar        |Just Enough Breeding          |justenoughbreeding            |1.0.12              |DONE      |Manifest: NOSIGNATURE         mysticrift_pharaohs_legacy-13.19.28-forge-1.20.1.j|mysticrift_pharaohs_legacy    |mysticrift_pharaohs_legacy    |13.19.28            |DONE      |Manifest: NOSIGNATURE         moderndeco-3.7.0-forge-1.20.1.jar                 |ModernDeco                    |moderndeco                    |3.7.0               |DONE      |Manifest: NOSIGNATURE         Ksyxis-1.3.3.jar                                  |Ksyxis                        |ksyxis                        |1.3.3               |DONE      |Manifest: NOSIGNATURE         domum_ornamentum-1.20.1-1.0.184-BETA-universal.jar|Domum Ornamentum              |domum_ornamentum              |1.20.1-1.0.184-BETA |DONE      |Manifest: NOSIGNATURE         betterfpsdist-1.20.1-4.1.jar                      |betterfpsdist mod             |betterfpsdist                 |1.20.1-4.1          |DONE      |Manifest: NOSIGNATURE         notenoughanimations-forge-1.6.4-mc1.20.jar        |NotEnoughAnimations Mod       |notenoughanimations           |1.6.4               |DONE      |Manifest: NOSIGNATURE         flywheel-forge-1.20.1-0.6.11-13.jar               |Flywheel                      |flywheel                      |0.6.11-13           |DONE      |Manifest: NOSIGNATURE         baubley-heart-canisters-1.20.1-1.0.5.jar          |Baubley Heart Canisters       |bhc                           |1.20.1-1.0.5        |DONE      |Manifest: NOSIGNATURE         experienceobelisk-v1.4.10-1.20.1.jar              |Experience Obelisk            |experienceobelisk             |1.4.10-1.20.1       |DONE      |Manifest: NOSIGNATURE         JustEnoughProfessions-forge-1.20.1-3.0.1.jar      |Just Enough Professions (JEP) |justenoughprofessions         |3.0.1               |DONE      |Manifest: NOSIGNATURE         [1.20.1] SecurityCraft v1.9.8.jar                 |SecurityCraft                 |securitycraft                 |1.9.8               |DONE      |Manifest: NOSIGNATURE         sit-1.20.1-1.3.5.jar                              |Sit                           |sit                           |1.3.5               |DONE      |Manifest: NOSIGNATURE         almostunified-forge-1.20.1-0.9.3.jar              |AlmostUnified                 |almostunified                 |1.20.1-0.9.3        |DONE      |Manifest: NOSIGNATURE         emi-1.1.2+1.20.1+forge.jar                        |EMI                           |emi                           |1.1.2+1.20.1+forge  |DONE      |Manifest: NOSIGNATURE         structurize-1.20.1-1.0.718-BETA.jar               |Structurize                   |structurize                   |1.20.1-1.0.718-BETA |DONE      |Manifest: NOSIGNATURE         AmbientEnvironment-forge-1.20.1-11.0.0.1.jar      |Ambient Environment           |ambientenvironment            |11.0.0.1            |DONE      |Manifest: NOSIGNATURE         FastFurnace-1.20.1-8.0.1.jar                      |FastFurnace                   |fastfurnace                   |8.0.1               |DONE      |Manifest: NOSIGNATURE         embersrekindled-1.20.1-1.2.3.jar                  |Embers Rekindled              |embers                        |1.20.1-1.2.3        |DONE      |Manifest: NOSIGNATURE         lootr-1.20-0.7.30.73.jar                          |Lootr                         |lootr                         |0.7.29.68           |DONE      |Manifest: NOSIGNATURE         occultism-1.20.1-1.94.1.jar                       |Occultism                     |occultism                     |1.94.1              |DONE      |Manifest: NOSIGNATURE         valkyrienskies-120-2.3.0-beta.5.jar               |Valkyrien Skies 2             |valkyrienskies                |2.3.0-beta.5        |DONE      |Manifest: NOSIGNATURE         christmascolonies-1.2.jar                         |christmascolonies mod         |christmascolonies             |1.2                 |DONE      |Manifest: NOSIGNATURE         cosmeticarmorreworked-1.20.1-v1a.jar              |CosmeticArmorReworked         |cosmeticarmorreworked         |1.20.1-v1a          |DONE      |Manifest: 5e:ed:25:99:e4:44:14:c0:dd:89:c1:a9:4c:10:b5:0d:e4:b1:52:50:45:82:13:d8:d0:32:89:67:56:57:01:53         ad_astra-forge-1.20.1-1.15.19.jar                 |Ad Astra                      |ad_astra                      |1.15.19             |DONE      |Manifest: NOSIGNATURE         alchemylib-1.20.1-1.0.29.jar                      |AlchemyLib                    |alchemylib                    |1.0.29              |DONE      |Manifest: NOSIGNATURE         Animation_Overhaul-forge-1.20.x-1.3.1.jar         |Animation Overhaul            |animation_overhaul            |1.3.1               |DONE      |Manifest: NOSIGNATURE         towntalk-1.20.1-1.0.1.jar                         |TownTalk                      |towntalk                      |1.0.1               |DONE      |Manifest: NOSIGNATURE         IllagerInvasion-v8.0.3-1.20.1-Forge.jar           |Illager Invasion              |illagerinvasion               |8.0.3               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         YungsBetterOceanMonuments-1.20-Forge-3.0.3.jar    |YUNG's Better Ocean Monuments |betteroceanmonuments          |1.20-Forge-3.0.3    |DONE      |Manifest: NOSIGNATURE         dimensionalsycnfixes-1.20.1-0.0.1.jar             |DimensionalSycnFixes          |dimensionalsycnfixes          |1.20.1-0.0.1        |DONE      |Manifest: NOSIGNATURE         gpumemleakfix-1.20.1-1.8.jar                      |Gpu memory leak fix           |gpumemleakfix                 |1.20.1-1.8          |DONE      |Manifest: NOSIGNATURE         structureessentials-1.20.1-3.2.jar                |Structure Essentials mod      |structureessentials           |1.20.1-3.2          |DONE      |Manifest: NOSIGNATURE         Prism-1.20.1-forge-1.0.5.jar                      |Prism                         |prism                         |1.0.5               |DONE      |Manifest: NOSIGNATURE         Placebo-1.20.1-8.6.0.jar                          |Placebo                       |placebo                       |8.6.0               |DONE      |Manifest: NOSIGNATURE         emi_loot-0.6.5+1.20.1+forge.jar                   |EMI Loot                      |emi_loot                      |0.6.5+1.20.1+forge  |DONE      |Manifest: NOSIGNATURE         lootintegrations-1.20.1-3.4.jar                   |Lootintegrations mod          |lootintegrations              |1.20.1-3.4          |DONE      |Manifest: NOSIGNATURE         Item-Obliterator-NeoForge-MC1.20.1-2.3.1.jar      |Item Obliterator              |item_obliterator              |2.3.0               |DONE      |Manifest: NOSIGNATURE         Bookshelf-Forge-1.20.1-20.1.9.jar                 |Bookshelf                     |bookshelf                     |20.1.9              |DONE      |Manifest: eb:c4:b1:67:8b:f9:0c:db:dc:4f:01:b1:8e:61:64:39:4c:10:85:0b:a6:c4:c7:48:f0:fa:95:f2:cb:08:3a:e5         littlecontraptions-forge-1.20.1.2.jar             |Little Contraptions           |littlecontraptions            |1.20.1.2            |DONE      |Manifest: NOSIGNATURE         bygonenether-1.3.2-1.20.x.jar                     |Bygone Nether                 |bygonenether                  |1.3.2               |DONE      |Manifest: NOSIGNATURE         carryon-forge-1.20.1-2.1.2.7.jar                  |Carry On                      |carryon                       |2.1.2.7             |DONE      |Manifest: NOSIGNATURE         ShieldExpansion-1.20.1-1.1.7.jar                  |Shield Expansion              |shieldexp                     |1.1.7               |DONE      |Manifest: NOSIGNATURE         interiors-0.5-30+mc1.20.1.jar                     |Create: Interiors             |interiors                     |0.5                 |DONE      |Manifest: NOSIGNATURE         dragonfight-1.20.1-4.1.jar                        |dragonfight mod               |dragonfight                   |1.20.1-4.1          |DONE      |Manifest: NOSIGNATURE         MapFrontiers-1.20.1-2.6.0p6-forge.jar             |MapFrontiers                  |mapfrontiers                  |2.6.0p5             |DONE      |Manifest: NOSIGNATURE         konkrete_forge_1.6.1-2_MC_1.20.jar                |Konkrete                      |konkrete                      |1.6.1               |DONE      |Manifest: NOSIGNATURE         snowmancy-1.20-1.1.jar                            |Snowmancy                     |snowmancy                     |1.1                 |DONE      |Manifest: NOSIGNATURE         friendsandfoes-flowerymooblooms-forge-mc1.20.1-2.0|Friends&Foes - Flowery Moobloo|flowerymooblooms              |2.0.0               |DONE      |Manifest: NOSIGNATURE         mcw-bridges-2.1.0-mc1.20.1forge.jar               |Macaw's Bridges               |mcwbridges                    |2.1.0               |DONE      |Manifest: NOSIGNATURE         entity_model_features_forge_1.20.1-1.2.3.jar      |Entity Model Features         |entity_model_features         |1.2.3               |DONE      |Manifest: NOSIGNATURE         entity_texture_features_forge_1.20.1-5.2.1.jar    |Entity Texture Features       |entity_texture_features       |5.2.1               |DONE      |Manifest: NOSIGNATURE         AmbientSounds_FORGE_v6.0.1_mc1.20.1.jar           |AmbientSounds                 |ambientsounds                 |6.0.1               |DONE      |Manifest: NOSIGNATURE         Boat-Item-View-Forge-1.20.1-0.0.5.jar             |Boat Item View                |boatiview                     |0.0.5               |DONE      |Manifest: NOSIGNATURE         baubly-forge-1.20.1-1.0.1.jar                     |Baubly                        |baubly                        |1.0.1               |DONE      |Manifest: NOSIGNATURE         memorysettings-1.20.1-5.4.jar                     |memorysettings mod            |memorysettings                |1.20.1-5.4          |DONE      |Manifest: NOSIGNATURE         blockui-1.20.1-1.0.151-BETA.jar                   |UI Library Mod                |blockui                       |1.20.1-1.0.151-BETA |DONE      |Manifest: NOSIGNATURE         ironchests-5.0.2-forge.jar                        |Iron Chests: Restocked        |ironchests                    |5.0.2               |DONE      |Manifest: NOSIGNATURE         CerbonsAPI-Forge-1.20.1-1.1.0.jar                 |Cerbons API                   |cerbons_api                   |1.1.0               |DONE      |Manifest: NOSIGNATURE         elevatorid-1.20.1-1.9.1.jar                       |Elevator Mod                  |elevatorid                    |1.20.1-1.9          |DONE      |Manifest: NOSIGNATURE         starterkit-1.20.1-5.2.jar                         |Starter Kit                   |starterkit                    |5.2                 |DONE      |Manifest: NOSIGNATURE         BridgingMod-2.1.1+1.20.x.forge.jar                |Bridging Mod                  |bridgingmod                   |2.1.1+1.20.1.forge  |DONE      |Manifest: NOSIGNATURE         twilightdelight-2.0.4.jar                         |Twilight's Flavor & Delight   |twilightdelight               |2.0.4               |DONE      |Manifest: NOSIGNATURE         cupboard-1.20.1-2.1.jar                           |Cupboard utilities            |cupboard                      |1.20.1-2.1          |DONE      |Manifest: NOSIGNATURE         cherishedworlds-forge-6.1.4+1.20.1.jar            |Cherished Worlds              |cherishedworlds               |6.1.4+1.20.1        |DONE      |Manifest: NOSIGNATURE         The_Undergarden-1.20.1-0.8.9.jar                  |The Undergarden               |undergarden                   |0.8.9               |DONE      |Manifest: NOSIGNATURE         advdebug-2.3.0.jar                                |Framework                     |framework                     |0.7.12              |DONE      |Manifest: 0d:78:5f:44:c0:47:0c:8c:e2:63:a3:04:43:d4:12:7d:b0:7c:35:37:dc:40:b1:c1:98:ec:51:eb:3b:3c:45:99         Ballistix-1.20.1-0.7.1-3.jar                      |Ballistix                     |ballistix                     |1.20.1-0.7.1-3      |DONE      |Manifest: NOSIGNATURE         BetterAdvancements-1.20.1-0.3.2.161.jar           |Better Advancements           |betteradvancements            |0.3.2.161           |DONE      |Manifest: NOSIGNATURE         Estrogen-4.2.7+1.20.1-forge.jar                   |Create: Estrogen              |estrogen                      |4.2.7+1.20.1-forge  |DONE      |Manifest: NOSIGNATURE         oculus-flywheel-compat-forge1.20.1+1.1.4.jar      |Oculus Flywheel Compat        |irisflw                       |1.1.4               |DONE      |Manifest: NOSIGNATURE         copycats-2.2.0+mc.1.20.1-forge.jar                |Create: Copycats+             |copycats                      |2.2.0+mc.1.20.1-forg|DONE      |Manifest: NOSIGNATURE         EasyMagic-v8.0.1-1.20.1-Forge.jar                 |Easy Magic                    |easymagic                     |8.0.1               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         common-networking-forge-1.0.5-1.20.1.jar          |Common Networking             |commonnetworking              |1.0.5-1.20.1        |DONE      |Manifest: NOSIGNATURE         obscure_api-15.jar                                |Obscure API                   |obscure_api                   |15                  |DONE      |Manifest: NOSIGNATURE         ThermalExtra-3.2.3-1.20.1.jar                     |Thermal Extra                 |thermal_extra                 |3.2.3-1.20.1        |DONE      |Manifest: NOSIGNATURE         online-emotes-2.1.2-forge.jar                     |Online Emotes                 |online_emotes                 |2.1.2-forge         |DONE      |Manifest: NOSIGNATURE         mcw-paintings-1.0.5-1.20.1forge.jar               |Macaw's Paintings             |mcwpaintings                  |1.0.5               |DONE      |Manifest: NOSIGNATURE         Clumps-forge-1.20.1-12.0.0.3.jar                  |Clumps                        |clumps                        |12.0.0.3            |DONE      |Manifest: NOSIGNATURE         SimpleStorageNetwork-1.20.1-1.10.0.jar            |Simple Storage Network        |storagenetwork                |1.10.0              |DONE      |Manifest: 1f:47:ac:b1:61:82:96:b8:47:19:16:d2:61:81:11:60:3a:06:4b:61:31:56:7d:44:31:1e:0c:6f:22:5b:4c:ed         decorative_blocks-forge-1.20.1-4.1.3.jar          |Decorative Blocks             |decorative_blocks             |4.1.3               |DONE      |Manifest: NOSIGNATURE         ExplorersCompass-1.20.1-1.3.3-forge.jar           |Explorer's Compass            |explorerscompass              |1.20.1-1.3.3-forge  |DONE      |Manifest: NOSIGNATURE         Saros-Road-Signs-Mod-1.20.1-3.7.jar               |Saros Road signs mod          |saros_road_signs_mod          |3.7                 |DONE      |Manifest: NOSIGNATURE         azurelib-neo-1.20.1-2.0.16.jar                    |AzureLib                      |azurelib                      |2.0.16              |DONE      |Manifest: NOSIGNATURE         mininggadgets-1.15.6.jar                          |Mining Gadgets                |mininggadgets                 |1.15.6              |DONE      |Manifest: NOSIGNATURE         watut-forge-1.20.1-1.0.13.jar                     |What Are They Up To           |watut                         |1.20.1-1.0.13       |DONE      |Manifest: NOSIGNATURE         3dskinlayers-forge-1.5.4-mc1.20.1.jar             |3dSkinLayers                  |skinlayers3d                  |1.5.4               |DONE      |Manifest: NOSIGNATURE         Raided-1.20.1-0.1.3.jar                           |Raided                        |raided                        |0.1.3               |DONE      |Manifest: NOSIGNATURE         friendsandfoes-forge-mc1.20.1-2.0.4.jar           |Friends&Foes                  |friendsandfoes                |2.0.4               |DONE      |Manifest: NOSIGNATURE         okzoomer-forge-1.20-3.0.1.jar                     |OkZoomer                      |okzoomer                      |3.0.1               |DONE      |Manifest: NOSIGNATURE         JustEnoughBeacons-Forge-1.19+-1.1.1.jar           |JustEnoughBeacons             |just_enough_beacons           |1.1.1               |DONE      |Manifest: NOSIGNATURE         CreativeCore_FORGE_v2.11.28_mc1.20.1.jar          |CreativeCore                  |creativecore                  |2.11.28             |DONE      |Manifest: NOSIGNATURE         marbledsmelees-1.20.1-1.0.0.jar                   |Marbled's Melees              |marbledsmelees                |1.20.1-1.0.0        |DONE      |Manifest: NOSIGNATURE         LegendaryTooltips-1.20.1-forge-1.4.5.jar          |Legendary Tooltips            |legendarytooltips             |1.4.5               |DONE      |Manifest: NOSIGNATURE         mes-1.3-1.20-forge.jar                            |Moog's End Structures         |mes                           |1.3-1.20-forge      |DONE      |Manifest: NOSIGNATURE         FastWorkbench-1.20.1-8.0.2.jar                    |Fast Workbench                |fastbench                     |8.0.2               |DONE      |Manifest: NOSIGNATURE         NoSeeNoTick-2.0.0-1.20.1.jar                      |No See, No tick               |noseenotick                   |2.0.0-build.9999    |DONE      |Manifest: NOSIGNATURE         betterarcheology-1.1.0.jar                        |Better Archeology             |betterarcheology              |1.1.0               |DONE      |Manifest: NOSIGNATURE         buildinggadgets2-1.0.7.jar                        |Building Gadgets 2            |buildinggadgets2              |1.0.7               |DONE      |Manifest: NOSIGNATURE         ad_astra_extra_additions-1.20.1-1.1.1.jar         |Ad Astra - Extra Additions    |ad_astra__extra_additions     |1.1.1               |DONE      |Manifest: NOSIGNATURE         minecolonies-1.20.1-1.1.530-BETA.jar              |MineColonies                  |minecolonies                  |1.20.1-1.1.530-BETA |DONE      |Manifest: NOSIGNATURE         Assembly Line-1.20.1-0.6.0-4.jar                  |Assembly Line                 |assemblyline                  |1.20.1-0.6.0-4      |DONE      |Manifest: NOSIGNATURE         ferritecore-6.0.1-forge.jar                       |Ferrite Core                  |ferritecore                   |6.0.1               |DONE      |Manifest: 41:ce:50:66:d1:a0:05:ce:a1:0e:02:85:9b:46:64:e0:bf:2e:cf:60:30:9a:fe:0c:27:e0:63:66:9a:84:ce:8a         Enhanced-Celestials-Forge-1.20.1-5.0.2.3.jar      |Enhanced Celestials           |enhancedcelestials            |1.20.1-5.0.2.3      |DONE      |Manifest: NOSIGNATURE         Corgilib-Forge-1.20.1-4.0.3.3.jar                 |CorgiLib                      |corgilib                      |4.0.3.3             |DONE      |Manifest: NOSIGNATURE         charmofundying-forge-6.4.2+1.20.1.jar             |Charm of Undying              |charmofundying                |6.4.2+1.20.1        |DONE      |Manifest: NOSIGNATURE         Plenty_of_Golems-V1.3.1-Forge_1.20.1.jar          |plenty of golems              |plenty_of_golems              |1.3.0               |DONE      |Manifest: NOSIGNATURE         BadOptimizations-1.6.3.jar                        |BadOptimizations              |badoptimizations              |1.6.3               |DONE      |Manifest: NOSIGNATURE         SimpleRadio-forge-1.20.1-2.4.6.1.jar              |SimpleRadio                   |simpleradio                   |2.4.6.1             |DONE      |Manifest: NOSIGNATURE         create_enchantment_industry-1.20.1-for-create-0.5.|Create Enchantment Industry   |create_enchantment_industry   |1.2.8               |DONE      |Manifest: NOSIGNATURE         OverflowingBars-v8.0.0-1.20.1-Forge.jar           |Overflowing Bars              |overflowingbars               |8.0.0               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         OpenLoader-Forge-1.20.1-19.0.3.jar                |OpenLoader                    |openloader                    |19.0.3              |DONE      |Manifest: eb:c4:b1:67:8b:f9:0c:db:dc:4f:01:b1:8e:61:64:39:4c:10:85:0b:a6:c4:c7:48:f0:fa:95:f2:cb:08:3a:e5         createaddition-1.20.1-1.2.4e.jar                  |Create Crafts & Additions     |createaddition                |1.20.1-1.2.4e       |DONE      |Manifest: NOSIGNATURE         auudio_forge_1.0.3_MC_1.19.3.jar                  |Auudio                        |auudio                        |1.0.3               |DONE      |Manifest: NOSIGNATURE         EasyAnvils-v8.0.1-1.20.1-Forge.jar                |Easy Anvils                   |easyanvils                    |8.0.1               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         supermartijn642configlib-1.1.8-forge-mc1.20.jar   |SuperMartijn642's Config Libra|supermartijn642configlib      |1.1.8               |DONE      |Manifest: NOSIGNATURE         ad_astra_rocketed-forge-1.20.1-1.0.3.jar          |Ad Astra: Rocketed            |ad_astra_rocketed             |1.0.3               |DONE      |Manifest: NOSIGNATURE         riverredux-0.3.1.jar                              |RiverRedux                    |riverredux                    |0.3.1               |DONE      |Manifest: NOSIGNATURE         player-animation-lib-forge-1.0.2-rc1+1.20.jar     |Player Animator               |playeranimator                |1.0.2-rc1+1.20      |DONE      |Manifest: NOSIGNATURE         botarium-forge-1.20.1-2.3.4.jar                   |Botarium                      |botarium                      |2.3.4               |DONE      |Manifest: NOSIGNATURE         Grass_Overhaul-Forge-23.10.10-MC1.20.1.jar        |Grass Overhaul                |grassoverhaul                 |23.10.10            |DONE      |Manifest: NOSIGNATURE         nerb-1.20.1-0.3-FORGE.jar                         |Not Enough Recipe Book        |nerb                          |0.3                 |DONE      |Manifest: NOSIGNATURE         tournament-1.20.1-forge-1.1.0_beta-5.3+af35b3821f.|VS Tournament Mod             |vs_tournament                 |1.1.0_beta-5.3+af35b|DONE      |Manifest: NOSIGNATURE         create_ad_astra_recipes-1.0.0-forge-1.20.1.jar    |Create Ad Astra Recipes       |create_ad_astra_recipes       |1.0.0               |DONE      |Manifest: NOSIGNATURE         goety-2.5.15.2.jar                                |Goety                         |goety                         |2.5.15.2            |DONE      |Manifest: NOSIGNATURE         VillagersPlus_3.0_(FORGE)_for_1.20.1.jar          |VillagersPlus                 |villagersplus                 |3.0                 |DONE      |Manifest: NOSIGNATURE         bagus_lib-1.20.1-5.3.0.jar                        |Bagus Lib                     |bagus_lib                     |1.20.1-5.3.0        |DONE      |Manifest: NOSIGNATURE         ResourcePackOverrides-v8.0.1-1.20.1-Forge.jar     |Resource Pack Overrides       |resourcepackoverrides         |8.0.1               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         balm-forge-1.20.1-7.2.1.jar                       |Balm                          |balm                          |7.2.1               |DONE      |Manifest: NOSIGNATURE         artillerysupport-1.3.3-forge-mc1.20.1.jar         |Artillery Support             |artillerysupport              |1.3.3               |DONE      |Manifest: NOSIGNATURE         LeavesBeGone-v8.0.0-1.20.1-Forge.jar              |Leaves Be Gone                |leavesbegone                  |8.0.0               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         geophilic-v2.1.0-mc1.20u1.20.2.jar                |Geophilic                     |geophilic                     |2.1.0-mc1.20u1.20.2 |DONE      |Manifest: NOSIGNATURE         athena-forge-1.20.1-3.1.0.jar                     |Athena                        |athena                        |3.1.0               |DONE      |Manifest: NOSIGNATURE         stylecolonies-1.3.jar                             |stylecolonies mod             |stylecolonies                 |1.3                 |DONE      |Manifest: NOSIGNATURE         lmft-1.0.4+1.20.1-forge.jar                       |Load My F***ing Tags          |lmft                          |1.0.4+1.20.1        |DONE      |Manifest: NOSIGNATURE         AdvancementPlaques-1.20.1-forge-1.5.1.jar         |Advancement Plaques           |advancementplaques            |1.5.1               |DONE      |Manifest: NOSIGNATURE         alekiNiftyShips-FORGE-1.20.1-1.0.14.jar           |aleki's Nifty Ships           |alekiships                    |1.0.14              |DONE      |Manifest: NOSIGNATURE         ironfurnaces-1.20.1-4.1.3.jar                     |Iron Furnaces                 |ironfurnaces                  |4.1.3               |DONE      |Manifest: NOSIGNATURE         mcw-trapdoors-1.1.4-mc1.20.1forge.jar             |Macaw's Trapdoors             |mcwtrpdoors                   |1.1.4               |DONE      |Manifest: NOSIGNATURE         supermartijn642corelib-1.1.15-forge-mc1.20.jar    |SuperMartijn642's Core Lib    |supermartijn642corelib        |1.1.15              |DONE      |Manifest: NOSIGNATURE         YungsBridges-1.20-Forge-4.0.3.jar                 |YUNG's Bridges                |yungsbridges                  |1.20-Forge-4.0.3    |DONE      |Manifest: NOSIGNATURE         resourcefulconfig-forge-1.20.1-2.1.2.jar          |Resourcefulconfig             |resourcefulconfig             |2.1.2               |DONE      |Manifest: NOSIGNATURE         Ad-Astra-Giselle-Addon-forge-1.20.1-6.18.jar      |Ad Astra: Giselle Addon       |ad_astra_giselle_addon        |6.18                |DONE      |Manifest: NOSIGNATURE         mcwfencesbop-1.20-1.1.jar                         |Macaw's Fences - BOP          |mcwfencesbop                  |1.20-1.1            |DONE      |Manifest: NOSIGNATURE         frosted-friends-1.20.1-1.0.7.jar                  |Frosted Friends               |frosted_friends               |1.0.7               |DONE      |Manifest: NOSIGNATURE         curios-forge-5.14.1+1.20.1.jar                    |Curios API                    |curios                        |5.14.1+1.20.1       |DONE      |Manifest: NOSIGNATURE         planets+-mekinisam-compat-bv1.1.jar               |Planets+ - Mekanism compat    |planetsplusmekanism           |0.1                 |DONE      |Manifest: NOSIGNATURE         Searchables-forge-1.20.1-1.0.2.jar                |Searchables                   |searchables                   |1.0.2               |DONE      |Manifest: NOSIGNATURE         Thermal And Space-1.20.1-1.0.1.jar                |Thermal And Space             |thermal_and_space             |1.20.1-1.0.1        |DONE      |Manifest: NOSIGNATURE         Nuclear Science-1.20.1-0.6.1-2.jar                |Nuclear Science               |nuclearscience                |1.20.1-0.6.1-2      |DONE      |Manifest: NOSIGNATURE         YSNS-Forge-MC1.20-1.0.4.jar                       |You Shall Not Spawn!          |ysns                          |1.0.2               |DONE      |Manifest: NOSIGNATURE         YungsBetterMineshafts-1.20-Forge-4.0.4.jar        |YUNG's Better Mineshafts      |bettermineshafts              |1.20-Forge-4.0.4    |DONE      |Manifest: NOSIGNATURE         veinmining-forge-1.2.0+1.20.1.jar                 |Vein Mining                   |veinmining                    |1.2.0+1.20.1        |DONE      |Manifest: NOSIGNATURE         sliceanddice-forge-3.2.0.jar                      |Create Slice & Dice           |sliceanddice                  |3.2.0               |DONE      |Manifest: NOSIGNATURE         DarkPaintings-Forge-1.20.1-17.0.4.jar             |DarkPaintings                 |darkpaintings                 |17.0.4              |DONE      |Manifest: eb:c4:b1:67:8b:f9:0c:db:dc:4f:01:b1:8e:61:64:39:4c:10:85:0b:a6:c4:c7:48:f0:fa:95:f2:cb:08:3a:e5         elytraslot-forge-6.3.0+1.20.1.jar                 |Elytra Slot                   |elytraslot                    |6.3.0+1.20.1        |DONE      |Manifest: NOSIGNATURE         Create_Questing-FORGE-1.20.1-1.0.0.jar            |Create Questing               |create_questing               |1.0.0               |DONE      |Manifest: NOSIGNATURE         doubledoors-1.20.1-5.1.jar                        |Double Doors                  |doubledoors                   |5.1                 |DONE      |Manifest: NOSIGNATURE         createbigcannons-5.8.2-mc.1.20.1-forge.jar        |Create Big Cannons            |createbigcannons              |5.8.2               |DONE      |Manifest: NOSIGNATURE         puzzlesapi-forge-8.0.2.jar                        |Puzzles Api                   |puzzlesapi                    |8.0.2               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         multipiston-1.20-1.2.31-ALPHA.jar                 |Multi-Piston                  |multipiston                   |1.20-1.2.31-ALPHA   |DONE      |Manifest: NOSIGNATURE         blossom-blade-1.0.jar                             |Blossom Blade                 |mr_blossom_blade              |1.0                 |DONE      |Manifest: NOSIGNATURE         Fallingleaves-1.20.1-2.1.0.jar                    |Falling Leaves                |fallingleaves                 |2.1.0               |DONE      |Manifest: NOSIGNATURE         TravelersBackpack-1.20.1-9.1.7.jar                |Traveler's Backpack           |travelersbackpack             |9.1.7               |DONE      |Manifest: NOSIGNATURE         NaturesCompass-1.20.1-1.11.2-forge.jar            |Nature's Compass              |naturescompass                |1.20.1-1.11.2-forge |DONE      |Manifest: NOSIGNATURE         SereneSeasons-1.20.1-9.0.0.43.jar                 |Serene Seasons                |sereneseasons                 |9.0.0.43            |DONE      |Manifest: NOSIGNATURE         ToadLib-1.3.1-1.20-1.20.1.jar                     |ToadLib                       |toadlib                       |1.3.1               |DONE      |Manifest: NOSIGNATURE         adorabuild-structures-2.3.0-forge-1.20.2.jar      |AdoraBuild: Structures        |adorabuild_structures         |2.3.0               |DONE      |Manifest: NOSIGNATURE         pneumaticcraft-repressurized-6.0.20+mc1.20.1.jar  |PneumaticCraft: Repressurized |pneumaticcraft                |6.0.20+mc1.20.1     |DONE      |Manifest: NOSIGNATURE         compressedcreativity-1.20.1-0.1.8.b.jar           |Compressed Creativity         |compressedcreativity          |1.20.1-0.1.8.b      |DONE      |Manifest: NOSIGNATURE         neruina-1.2.6-forge+1.18.2-1.20.1.jar             |Neruina                       |neruina                       |1.2.6               |DONE      |Manifest: NOSIGNATURE         solid_mobs_forge.1.19.4+1.20-1.7.1.jar            |Solid Mobs                    |solid_mobs                    |1.7.1               |DONE      |Manifest: NOSIGNATURE         more-immersive-wires-1.20.1-1.1.3.jar             |More Immersive Wires          |more_immersive_wires          |1.1.3               |DONE      |Manifest: NOSIGNATURE         puzzlesaccessapi-forge-8.0.5.jar                  |Puzzles Access Api            |puzzlesaccessapi              |8.0.5               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         forge-1.20.1-47.1.106-universal.jar               |NeoForge                      |forge                         |47.1.106            |DONE      |Manifest: NOSIGNATURE         cofh_core-1.20.1-11.0.0.51.jar                    |CoFH Core                     |cofh_core                     |11.0.0              |DONE      |Manifest: NOSIGNATURE         thermal_core-1.20.1-11.0.2.18.jar                 |Thermal Series                |thermal                       |11.0.2              |DONE      |Manifest: NOSIGNATURE         thermal_integration-1.20.1-11.0.0.23.jar          |Thermal Integration           |thermal_integration           |11.0.0              |DONE      |Manifest: NOSIGNATURE         thermal_cultivation-1.20.1-11.0.0.22.jar          |Thermal Cultivation           |thermal_cultivation           |11.0.0              |DONE      |Manifest: NOSIGNATURE         appleskin-forge-mc1.20.1-2.5.1.jar                |AppleSkin                     |appleskin                     |2.5.1+mc1.20.1      |DONE      |Manifest: NOSIGNATURE         DramaticDoors-QuiFabrge-1.20.1-3.1.5.jar          |Dramatic Doors                |dramaticdoors                 |1.20.1-3.1.5        |DONE      |Manifest: NOSIGNATURE         thermal_innovation-1.20.1-11.0.0.21.jar           |Thermal Innovation            |thermal_innovation            |11.0.0              |DONE      |Manifest: NOSIGNATURE         thermal_foundation-1.20.1-11.0.2.64.jar           |Thermal Foundation            |thermal_foundation            |11.0.2              |DONE      |Manifest: NOSIGNATURE         thermal_locomotion-1.20.1-11.0.0.17.jar           |Thermal Locomotion            |thermal_locomotion            |11.0.0              |DONE      |Manifest: NOSIGNATURE         thermal_dynamics-1.20.1-11.0.0.21.jar             |Thermal Dynamics              |thermal_dynamics              |11.0.0              |DONE      |Manifest: NOSIGNATURE         extractinator-forge-1.20-2.2.0.jar                |Extractinator                 |extractinator                 |2.2.0               |DONE      |Manifest: NOSIGNATURE         chalk-1.20.1-1.6.2.jar                            |Chalk                         |chalk                         |1.6.2               |DONE      |Manifest: NOSIGNATURE         Log-Begone-neoforge-1.20.1-1.0.9.jar              |Log Begone                    |logbegone                     |1.0.9               |DONE      |Manifest: NOSIGNATURE         mcw-paths-1.1.0forge-mc1.20.1.jar                 |Macaw's Paths and Pavings     |mcwpaths                      |1.1.0               |DONE      |Manifest: NOSIGNATURE         alchemistry-1.20.1-2.3.4.jar                      |Alchemistry                   |alchemistry                   |2.3.4               |DONE      |Manifest: NOSIGNATURE         ZeroCore2-1.20.1-2.1.45.jar                       |Zero CORE 2                   |zerocore                      |1.20.1-2.1.45       |DONE      |Manifest: NOSIGNATURE         systeams-1.20.1-1.9.1.jar                         |Thermal Systeams              |systeams                      |1.9.1               |DONE      |Manifest: NOSIGNATURE         MouseTweaks-forge-mc1.20-2.25.jar                 |Mouse Tweaks                  |mousetweaks                   |2.25                |DONE      |Manifest: NOSIGNATURE         ImmersiveEngineering-1.20.1-10.0.0-169.jar        |Immersive Engineering         |immersiveengineering          |1.20.1-10.0.0-169   |DONE      |Manifest: 44:39:94:cf:1d:8c:be:3c:7f:a9:ee:f4:1e:63:a5:ac:61:f9:c2:87:d5:5b:d9:d6:8c:b5:3e:96:5d:8e:3f:b7         NoChatReports-FORGE-1.20.1-v2.2.2.jar             |No Chat Reports               |nochatreports                 |1.20.1-v2.2.2       |DONE      |Manifest: NOSIGNATURE         Oh-The-Trees-Youll-Grow-forge-1.20.1-1.3.8.jar    |Oh The Trees You'll Grow      |ohthetreesyoullgrow           |1.3.8               |DONE      |Manifest: NOSIGNATURE         MindfulDarkness-v8.0.2-1.20.1-Forge.jar           |Mindful Darkness              |mindfuldarkness               |8.0.2               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         spectrelib-forge-0.13.14+1.20.1.jar               |SpectreLib                    |spectrelib                    |0.13.14+1.20.1      |DONE      |Manifest: NOSIGNATURE         kffmod-4.11.0.jar                                 |Kotlin For Forge              |kotlinforforge                |4.11.0              |DONE      |Manifest: NOSIGNATURE         Mantle-1.20.1-1.11.36.jar                         |Mantle                        |mantle                        |1.11.36             |DONE      |Manifest: NOSIGNATURE         Croptopia-1.20.1-FORGE-3.0.2.jar                  |Croptopia                     |croptopia                     |3.0.2               |DONE      |Manifest: NOSIGNATURE         polymorph-forge-0.49.2+1.20.1.jar                 |Polymorph                     |polymorph                     |0.49.2+1.20.1       |DONE      |Manifest: NOSIGNATURE         mixininheaven-mc1.17.1-1.20-v0.0.1-hotfix.jar     |MixinInHeaven                 |mixininheaven                 |0.0NONE             |DONE      |Manifest: NOSIGNATURE         earthmobsmod-1.20.1-10.5.0.jar                    |EarthMobsMod                  |earthmobsmod                  |1.20.1-10.5.0       |DONE      |Manifest: NOSIGNATURE         Zeta-1.0-13.jar                                   |Zeta                          |zeta                          |1.0-13              |DONE      |Manifest: NOSIGNATURE         unloadedactivity-v0.6.3+1.20-1.20.1.jar           |Unloaded Activity             |unloaded_activity             |0.6.3               |DONE      |Manifest: NOSIGNATURE         oceansdelight-1.0.2-1.20.jar                      |Ocean's Delight               |oceansdelight                 |1.0.2-1.20          |DONE      |Manifest: NOSIGNATURE         showcaseitem-1.20.1-1.0.jar                       |Showcase Item                 |showcaseitem                  |1.20.1-1.0          |DONE      |Manifest: NOSIGNATURE         visuality-forge-2.0.2.jar                         |Visuality: Reforged           |visuality                     |2.0.2               |DONE      |Manifest: NOSIGNATURE         rubidium-extra-0.5.4.4+mc1.20.1-build.131.jar     |Embeddium Extra               |embeddium_extra               |0.5.4.4+mc1.20.1-bui|DONE      |Manifest: NOSIGNATURE         biomemusic-1.20.1-2.2.jar                         |biomemusic mod                |biomemusic                    |1.20.1-2.2          |DONE      |Manifest: NOSIGNATURE         pufferfish_unofficial_additions-1.20.1-2.2.3-all.j|Pufferfish's Unofficial Additi|pufferfish_unofficial_addition|2.2.3               |DONE      |Manifest: NOSIGNATURE         ModernUI-Forge-1.20.1-3.11.1.1-universal.jar      |Modern UI                     |modernui                      |3.11.1.1            |DONE      |Manifest: 01:c4:52:25:b1:6e:5f:ac:fe:88:35:7e:cf:65:2f:69:1d:56:db:2b:93:f8:dd:7c:93:47:04:8c:e4:22:13:91         PuzzlesLib-v8.0.24-1.20.1-Forge.jar               |Puzzles Lib                   |puzzleslib                    |8.0.24              |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         DiscCord-1.20.1-1.2.0.jar                         |DiscCord                      |disccord                      |1.2.0               |DONE      |Manifest: NOSIGNATURE         chunksending-1.20.1-2.8.jar                       |chunksending mod              |chunksending                  |1.20.1-2.8          |DONE      |Manifest: NOSIGNATURE         planets+-bv1.7.5-1.20x.jar                        |Planets+                      |planetsplus                   |0.7.5               |DONE      |Manifest: NOSIGNATURE         aquamirae-6.API15.jar                             |Aquamirae                     |aquamirae                     |6.API15             |DONE      |Manifest: NOSIGNATURE         xptome-1.20.1-2.1.7.jar                           |XP Tome                       |xpbook                        |2.1.7               |DONE      |Manifest: NOSIGNATURE         cristellib-1.1.5-forge.jar                        |Cristel Lib                   |cristellib                    |1.1.5               |DONE      |Manifest: NOSIGNATURE         TreeChop-1.20.1-forge-0.18.3.jar                  |HT's TreeChop                 |treechop                      |0.18.3              |DONE      |Manifest: NOSIGNATURE         create_misc_and_things_ 1.20.1_4.0A.jar           |create: things and misc       |create_things_and_misc        |1.0.0               |DONE      |Manifest: NOSIGNATURE         blue_skies-1.20.1-1.3.28.jar                      |Blue Skies                    |blue_skies                    |1.3.28              |DONE      |Manifest: NOSIGNATURE         YungsBetterWitchHuts-1.20-Forge-3.0.3.jar         |YUNG's Better Witch Huts      |betterwitchhuts               |1.20-Forge-3.0.3    |DONE      |Manifest: NOSIGNATURE         netherportalfix-forge-1.20-13.0.1.jar             |NetherPortalFix               |netherportalfix               |13.0.1              |DONE      |Manifest: NOSIGNATURE         geckolib-neoforge-1.20.1-4.4.9.jar                |GeckoLib 4                    |geckolib                      |4.4.9               |DONE      |Manifest: NOSIGNATURE         Oh-The-Biomes-Weve-Gone-Forge-1.5.11.jar          |Oh The Biomes We've Gone      |biomeswevegone                |1.5.11              |DONE      |Manifest: NOSIGNATURE         creeperoverhaul-3.0.1-forge.jar                   |Creeper Overhaul              |creeperoverhaul               |3.0.1               |DONE      |Manifest: NOSIGNATURE         ars_nouveau-1.20.1-4.8.1-all.jar                  |Ars Nouveau                   |ars_nouveau                   |4.8.1               |DONE      |Manifest: NOSIGNATURE         knightsnmages-0.0.6-neo.jar                       |KnightsnMages                 |knightsnmages                 |0.0.6-neo           |DONE      |Manifest: NOSIGNATURE         ars_elemental-1.20.1-0.6.3.2.jar                  |Ars Elemental                 |ars_elemental                 |1.20.1-0.6.3.2      |DONE      |Manifest: NOSIGNATURE         recipeessentials-1.20.1-3.2.jar                   |recipeessentials mod          |recipeessentials              |1.20.1-3.2          |DONE      |Manifest: NOSIGNATURE         backported-wolves-regions-unexplored-compat-2.0.ja|Backported Wolves - Regions Un|mr_backported_wolvesregionsune|2.0                 |DONE      |Manifest: NOSIGNATURE         aether-1.20.1-1.0.0-neoforge.jar                  |The Aether                    |aether                        |1.20.1-1.0.0-neoforg|DONE      |Manifest: NOSIGNATURE         lost_aether_content-1.20.1-1.2.3.jar              |Aether: Lost Content          |lost_aether_content           |1.2.3               |DONE      |Manifest: NOSIGNATURE         deep_aether-1.20.1-1.0.13.1.jar                   |Deep Aether                   |deep_aether                   |1.20.1-1.0.13.1     |DONE      |Manifest: NOSIGNATURE         aeroblender-1.20.1-1.0.1-neoforge.jar             |AeroBlender                   |aeroblender                   |1.20.1-1.0.1-neoforg|DONE      |Manifest: NOSIGNATURE         aether-redux-1.3.4-1.20.1-neoforge.jar            |The Aether: Redux             |aether_redux                  |1.20.1              |DONE      |Manifest: NOSIGNATURE         connectivity-1.20.1-4.9.jar                       |Connectivity Mod              |connectivity                  |1.20.1-4.9          |DONE      |Manifest: NOSIGNATURE         immersive_aircraft-1.2.1+1.20.1-forge.jar         |Immersive Aircraft            |immersive_aircraft            |1.2.1+1.20.1        |DONE      |Manifest: NOSIGNATURE         kleeslabs-forge-1.20-15.0.0.jar                   |KleeSlabs                     |kleeslabs                     |15.0.0              |DONE      |Manifest: NOSIGNATURE         ars_scalaes-1.20.1-1.10.1-alpha.jar               |Ars Nouveau Scaling Compats   |ars_scalaes                   |1.20.1-1.10.1-alpha |DONE      |Manifest: NOSIGNATURE         ritchiesprojectilelib-2.0.0-dev+mc.1.20.1-forge-bu|Ritchie's Projectile Library  |ritchiesprojectilelib         |2.0.0-dev+mc.1.20.1-|DONE      |Manifest: NOSIGNATURE         Controlling-forge-1.20.1-12.0.2.jar               |Controlling                   |controlling                   |12.0.2              |DONE      |Manifest: NOSIGNATURE         citadel-2.5.4-1.20.1.jar                          |Citadel                       |citadel                       |2.5.4               |DONE      |Manifest: NOSIGNATURE         L_Enders_Cataclysm-1.90 -1.20.1.jar               |Cataclysm Mod                 |cataclysm                     |1.0                 |DONE      |Manifest: NOSIGNATURE         alexsmobs-1.22.8.jar                              |Alex's Mobs                   |alexsmobs                     |1.22.8              |DONE      |Manifest: NOSIGNATURE         iceandfire-2.1.13-1.20.1-beta-4.jar               |Ice and Fire                  |iceandfire                    |2.1.13-1.20.1-beta-4|DONE      |Manifest: NOSIGNATURE         mixinextras-forge-0.2.0.jar                       |MixinExtras                   |mixinextras                   |0.2.0               |DONE      |Manifest: NOSIGNATURE         emitrades-forge-1.2.1+mc1.20.1.jar                |EMI Trades                    |emitrades                     |1.2.1+mc1.20.1      |DONE      |Manifest: NOSIGNATURE         CreateNumismatics-1.0.7+forge-mc1.20.1.jar        |Create: Numismatics           |numismatics                   |1.0.7+forge-mc1.20.1|DONE      |Manifest: NOSIGNATURE         twigs-1.20.1-3.1.0-forge.jar                      |Twigs                         |twigs                         |1.20.1-3.1.0        |DONE      |Manifest: NOSIGNATURE         piglinsafety-mc1.17-1.20-v0.0.2.jar               |PiglinSafety                  |piglinsafety                  |0.0.2               |DONE      |Manifest: NOSIGNATURE         create_dragon_lib-1.20.1-1.3.3.jar                |Create: Dragon Lib            |create_dragon_lib             |1.3.3               |DONE      |Manifest: NOSIGNATURE         simpleplanes-1.20.1-5.3.3.jar                     |Simple Planes                 |simpleplanes                  |1.20.1-5.3.3        |DONE      |Manifest: NOSIGNATURE         relics-1.20.1-0.8.0.8.jar                         |Relics                        |relics                        |0.8.0.8             |DONE      |Manifest: NOSIGNATURE         wares-1.20.1-1.2.7.jar                            |Wares                         |wares                         |1.2.7               |DONE      |Manifest: NOSIGNATURE         Steam_Rails-1.5.3+forge-mc1.20.1.jar              |Create: Steam 'n' Rails       |railways                      |1.5.3+forge-mc1.20.1|DONE      |Manifest: NOSIGNATURE         dummmmmmy-1.20-1.8.3.jar                          |MmmMmmMmmmmm                  |dummmmmmy                     |1.20-1.8.3          |DONE      |Manifest: NOSIGNATURE         twilightforest-1.20.1-4.3.2145-universal.jar      |The Twilight Forest           |twilightforest                |4.3.2145            |DONE      |Manifest: NOSIGNATURE         mob_grinding_utils-1.20.1-1.0.3.jar               |Mob Grinding Utils            |mob_grinding_utils            |1.20.1-1.0.3        |DONE      |Manifest: NOSIGNATURE         FarmersDelight-1.20.1-1.2.3.jar                   |Farmer's Delight              |farmersdelight                |1.20.1-1.2.3        |DONE      |Manifest: NOSIGNATURE         cuisinedelight-1.1.12.jar                         |Cuisine Delight               |cuisinedelight                |1.1.12              |DONE      |Manifest: NOSIGNATURE         refinedpolymorph-0.1.0-1.20.1.jar                 |Refined Polymorphism          |refinedpolymorph              |0.1.0-1.20.1        |DONE      |Manifest: NOSIGNATURE         basket-1.20.1-1.0.0.jar                           |baskets                       |baskets                       |1.0.0               |DONE      |Manifest: NOSIGNATURE         endersdelight-1.20.1-1.0.3.jar                    |Ender's Delight               |endersdelight                 |1.0.3               |DONE      |Manifest: NOSIGNATURE         cataclysmiccombat 1.1.jar                         |Cataclysmic Combat            |cataclysmiccombat             |1.1                 |DONE      |Manifest: NOSIGNATURE         endrem_forge-5.2.3-R-1.20.X.jar                   |End Remastered                |endrem                        |5.2.3-R-1.20.1      |DONE      |Manifest: NOSIGNATURE         mcw-fences-1.2.0-1.20.1forge.jar                  |Macaw's Fences and Walls      |mcwfences                     |1.2.0               |DONE      |Manifest: NOSIGNATURE         mining_dimension-1.20.1-1.0.4.jar                 |Mining World                  |mining_dimension              |1.20.1-1.0.4        |DONE      |Manifest: NOSIGNATURE         dungeons_enhanced-1.20.1-5.2.2.jar                |Dungeons Enhanced             |dungeons_enhanced             |5.2.2               |DONE      |Manifest: NOSIGNATURE         Patchouli-1.20.1-83-FORGE.jar                     |Patchouli                     |patchouli                     |1.20.1-83-FORGE     |DONE      |Manifest: NOSIGNATURE         ars_ocultas-1.20.1-1.1.0-all.jar                  |Ars Ocultas                   |ars_ocultas                   |1.1.0               |DONE      |Manifest: NOSIGNATURE         despawn_tweaker-1.20.1-0.0.5.jar                  |DespawnTweaker                |despawn_tweaker               |1.20.1-0.0.5        |DONE      |Manifest: NOSIGNATURE         collective-1.20.1-7.16.jar                        |Collective                    |collective                    |7.16                |DONE      |Manifest: NOSIGNATURE         thermal_expansion-1.20.1-11.0.0.27.jar            |Thermal Expansion             |thermal_expansion             |11.0.0              |DONE      |Manifest: NOSIGNATURE         YungsBetterStrongholds-1.20-Forge-4.0.3.jar       |YUNG's Better Strongholds     |betterstrongholds             |1.20-Forge-4.0.3    |DONE      |Manifest: NOSIGNATURE         resourcefullib-forge-1.20.1-2.1.29.jar            |Resourceful Lib               |resourcefullib                |2.1.29              |DONE      |Manifest: NOSIGNATURE         EBE-1.20-1.20.1-0.9.1B.jar                        |EnlightedBlockEntities        |ebe                           |0.9.1-BETA          |DONE      |Manifest: NOSIGNATURE         deeperdarker-forge-1.20.1-1.2.0.jar               |Deeper and Darker             |deeperdarker                  |1.2.0               |DONE      |Manifest: NOSIGNATURE         BoatBreakFix-Universal-1.0.2.jar                  |Boat Break Fix                |boatbreakfix                  |1.0.2               |DONE      |Manifest: NOSIGNATURE         architectury-9.2.14-forge.jar                     |Architectury                  |architectury                  |9.2.14              |DONE      |Manifest: NOSIGNATURE         jecalculation-forge-1.20.1-4.0.4.jar              |Just Enough Calculation       |jecalculation                 |4.0.4               |DONE      |Manifest: NOSIGNATURE         biomemakeover-FORGE-1.20.1-1.10.4.jar             |Biome Makeover                |biomemakeover                 |1.20.1-1.10.4       |DONE      |Manifest: NOSIGNATURE         [1.20.1-forge]-Epic-Knights-8.11.jar              |Epic Knights Mod              |magistuarmory                 |8.11                |DONE      |Manifest: NOSIGNATURE         simplyswords-forge-1.51.5-1.20.1.jar              |Simply Swords                 |simplyswords                  |1.51.5-1.20.1       |DONE      |Manifest: NOSIGNATURE         gardens-of-the-dead-forge-4.0.1.jar               |Gardens of the Dead           |gardens_of_the_dead           |4.0.1               |DONE      |Manifest: NOSIGNATURE         taniwha-forge-1.20.0-5.3.6.jar                    |Taniwha                       |taniwha                       |1.20.0-5.3.6        |DONE      |Manifest: NOSIGNATURE         justhammers-forge-2.0.4+mc1.20.1.jar              |Just Hammers                  |justhammers                   |2.0.4+mc1.20.1      |DONE      |Manifest: NOSIGNATURE         allthetrims-3.2.0-forge+1.20.1.jar                |AllTheTrims                   |allthetrims                   |3.2.0               |DONE      |Manifest: NOSIGNATURE         ftb-library-forge-2001.1.4.jar                    |FTB Library                   |ftblibrary                    |2001.1.4            |DONE      |Manifest: NOSIGNATURE         ftb-teams-forge-2001.1.4.jar                      |FTB Teams                     |ftbteams                      |2001.1.4            |DONE      |Manifest: NOSIGNATURE         jei-1.20.1-forge-15.20.0.106.jar                  |Just Enough Items             |jei                           |15.20.0.106         |DONE      |Manifest: NOSIGNATURE         JustEnoughGuns-0.11.0-1.20.1.jar                  |Just Enough Guns              |jeg                           |0.11.0              |DONE      |Manifest: NOSIGNATURE         Mekanism-1.20.1-10.4.15.75.jar                    |Mekanism                      |mekanism                      |10.4.15             |DONE      |Manifest: NOSIGNATURE         MekanismGenerators-1.20.1-10.4.15.75.jar          |Mekanism: Generators          |mekanismgenerators            |10.4.15             |DONE      |Manifest: NOSIGNATURE         mekanism-ad-astra-ores-forge-1.20.1-1.1.0.jar     |Mekanism: Ad Astra Ores       |mekanismaaa                   |1.1.0               |DONE      |Manifest: NOSIGNATURE         mekanism_extras-1.20.1-1.4.0.jar                  |Mekanism Extras               |mekanism_extras               |1.20.1-1.4.0        |DONE      |Manifest: NOSIGNATURE         MekanismAdditions-1.20.1-10.4.15.75.jar           |Mekanism: Additions           |mekanismadditions             |10.4.15             |DONE      |Manifest: NOSIGNATURE         MekanismTools-1.20.1-10.4.15.75.jar               |Mekanism: Tools               |mekanismtools                 |10.4.15             |DONE      |Manifest: NOSIGNATURE         cc-tweaked-1.20.1-forge-1.108.1.jar               |CC: Tweaked                   |computercraft                 |1.108.1             |DONE      |Manifest: NOSIGNATURE         ExtremeReactors2-1.20.1-2.0.84.jar                |Extreme Reactors              |bigreactors                   |1.20.1-2.0.84       |DONE      |Manifest: NOSIGNATURE         Towns-and-Towers-1.11-Fabric+Forge.jar            |Towns and Towers              |t_and_t                       |0.0NONE             |DONE      |Manifest: NOSIGNATURE         letmedespawn-forge-1.20.x-1.2.0.jar               |Let Me Despawn                |letmedespawn                  |1.2.0               |DONE      |Manifest: NOSIGNATURE         YeetusExperimentus-Forge-2.3.1-build.6+mc1.20.1.ja|Yeetus Experimentus           |yeetusexperimentus            |2.3.1-build.6+mc1.20|DONE      |Manifest: NOSIGNATURE         gamemenumodoption-mc1.20.1-2.2.1.jar              |Game Menu Mod Option          |gamemenumodoption             |2.2.1               |DONE      |Manifest: NOSIGNATURE         crawlondemand-1.20.x-1.0.0.jar                    |Crawl on Demand               |crawlondemand                 |1.20.x-1.0.0        |DONE      |Manifest: NOSIGNATURE         TradingPost-v8.0.1-1.20.1-Forge.jar               |Trading Post                  |tradingpost                   |8.0.1               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         Blastcraft-1.20.1-0.4.0-3.jar                     |Blastcraft                    |blastcraft                    |1.20.1-0.4.0-3      |DONE      |Manifest: NOSIGNATURE         JustOutdoorStuffs-1.20.1-forge-v1.0.2.jar         |Just Outdoor Stuffs           |justoutdoorstuffs             |1.0.2-1.20.1        |DONE      |Manifest: NOSIGNATURE         inventorysorter-1.20.1-23.0.1.jar                 |Simple Inventory Sorter       |inventorysorter               |23.0.1              |DONE      |Manifest: NOSIGNATURE         BHMenu-Forge-1.20.1-2.4.1.jar                     |BHMenu                        |bhmenu                        |2.4.1               |DONE      |Manifest: NOSIGNATURE         potacore-0.1.1-universal.jar                      |Potacore                      |potacore                      |0.1.1-universal     |DONE      |Manifest: NOSIGNATURE         fishermens_trap-2.1.4.jar                         |Fishermens Trap               |fishermens_trap               |2.1.4               |DONE      |Manifest: NOSIGNATURE         jmi-forge-1.20.1-0.14-48.jar                      |JourneyMap Integration        |jmi                           |1.20.1-0.14-48      |DONE      |Manifest: NOSIGNATURE         amendments-1.20-1.1.11.jar                        |Amendments                    |amendments                    |1.20-1.1.11         |DONE      |Manifest: NOSIGNATURE         OctoLib-FORGE-0.4.2+1.20.1.jar                    |OctoLib                       |octolib                       |0.4.2               |DONE      |Manifest: NOSIGNATURE         item-filters-forge-2001.1.0-build.59.jar          |Item Filters                  |itemfilters                   |2001.1.0-build.59   |DONE      |Manifest: NOSIGNATURE         ftb-quests-forge-2001.3.0.jar                     |FTB Quests                    |ftbquests                     |2001.3.0            |DONE      |Manifest: NOSIGNATURE         ftb-xmod-compat-forge-2.1.0.jar                   |FTB XMod Compat               |ftbxmodcompat                 |2.1.0               |DONE      |Manifest: NOSIGNATURE         Ping-Wheel-1.6.1-forge-1.20.1.jar                 |Ping Wheel                    |pingwheel                     |1.6.1               |DONE      |Manifest: NOSIGNATURE         GeckoLibOculusCompat-Forge-1.0.1.jar              |GeckoLibIrisCompat            |geckoanimfix                  |1.0.0               |DONE      |Manifest: NOSIGNATURE         waystones-forge-1.20-14.0.2.jar                   |Waystones                     |waystones                     |14.0.2              |DONE      |Manifest: NOSIGNATURE         MonsterPlus-Forge1.20.1-v1.1.6.1.jar              |Monster Plus                  |monsterplus                   |1.0                 |DONE      |Manifest: NOSIGNATURE         marbledsarsenal-1.20.1-2.3.0.jar                  |Marbled's Arsenal             |marbledsarsenal               |1.20.1-2.3.0        |DONE      |Manifest: NOSIGNATURE         Structory_1.20.1_v1.3.2.jar                       |Structory                     |structory                     |1.3.2               |DONE      |Manifest: NOSIGNATURE         journeymap-1.20.1-5.9.18-neoforge.jar             |Journeymap                    |journeymap                    |5.9.18              |DONE      |Manifest: NOSIGNATURE         comforts-forge-6.3.4+1.20.1.jar                   |Comforts                      |comforts                      |6.3.4+1.20.1        |DONE      |Manifest: NOSIGNATURE         alternate_current-mc1.20-1.7.0.jar                |Alternate Current             |alternate_current             |1.7.0               |DONE      |Manifest: NOSIGNATURE         default_skill_trees-1.1.jar                       |Default Skill Trees           |default_skill_trees           |1.1                 |DONE      |Manifest: NOSIGNATURE         mcore-1.20.1-1.0.3.0.jar                          |Marbled's Core                |mcore                         |1.0.3.0             |DONE      |Manifest: NOSIGNATURE         redirectionor-1.20.1-4.3.2-forge.jar              |Redirectionor                 |redirectionor                 |1.20.1-4.3.2        |DONE      |Manifest: NOSIGNATURE         Dungeon Crawl-1.20.1-2.3.14.jar                   |Dungeon Crawl                 |dungeoncrawl                  |2.3.14              |DONE      |Manifest: NOSIGNATURE         Nimble-1.20.1-forge-5.0.1.jar                     |Nimble                        |nimble                        |5.0.1               |DONE      |Manifest: NOSIGNATURE         create-confectionery1.20.1_v1.1.0.jar             |Create Confectionery          |create_confectionery          |1.1.0               |DONE      |Manifest: NOSIGNATURE         mighty_mail-forge-1.20.1-1.0.14.jar               |Mighty Mail                   |mighty_mail                   |1.0.14              |DONE      |Manifest: 0d:78:5f:44:c0:47:0c:8c:e2:63:a3:04:43:d4:12:7d:b0:7c:35:37:dc:40:b1:c1:98:ec:51:eb:3b:3c:45:99         YungsBetterDesertTemples-1.20-Forge-3.0.3.jar     |YUNG's Better Desert Temples  |betterdeserttemples           |1.20-Forge-3.0.3    |DONE      |Manifest: NOSIGNATURE         netherdepthsupgrade-3.1.2-1.20.jar                |Nether Depths Upgrade         |netherdepthsupgrade           |3.1.2-1.20          |DONE      |Manifest: NOSIGNATURE         DistantHorizons-fabric-forge-2.3.2-b-1.20.1.jar   |Distant Horizons              |distanthorizons               |2.3.2-b             |DONE      |Manifest: NOSIGNATURE         Continents_1.21.x_v1.1.7.jar                      |Continents                    |continents                    |1.1.7               |DONE      |Manifest: NOSIGNATURE         Block Swap-forge-1.20.1-5.0.0.0.jar               |Block Swap                    |blockswap                     |5.0.0.0             |DONE      |Manifest: NOSIGNATURE         factory_blocks+forge-1.3.1.jar                    |Factory Blocks                |factory_blocks                |1.3.1               |DONE      |Manifest: NOSIGNATURE         moderntrainparts-0.1.7-forge-mc1.20.1-cr0.5.1.f.ja|Modern Train Parts            |moderntrainparts              |0.1.7-forge-mc1.20.1|DONE      |Manifest: NOSIGNATURE         create-1.20.1-0.5.1.j.jar                         |Create                        |create                        |0.5.1.j             |DONE      |Manifest: NOSIGNATURE         Create-DnDesire-1.20.1-0.1b.Release-Early-Dev.jar |Create: Dreams & Desires      |create_dd                     |0.1b.Release-Early-D|DONE      |Manifest: NOSIGNATURE         trackwork-1.20.1-1.1.1b.jar                       |Trackwork Mod                 |trackwork                     |1.1.1b              |DONE      |Manifest: NOSIGNATURE         extendedgears-2.1.1-1.20.1-0.5.1.f-forge.jar      |Extended Cogwheels            |extendedgears                 |2.1.1-1.20.1-0.5.1.f|DONE      |Manifest: NOSIGNATURE         ars_creo-1.20.1-4.0.1.jar                         |Ars Creo                      |ars_creo                      |4.0.1               |DONE      |Manifest: NOSIGNATURE         Delightful-1.20.1-3.4.2.jar                       |Delightful                    |delightful                    |3.4.2               |DONE      |Manifest: NOSIGNATURE         clockwork-1.20.1-0.1.13-forge-8cf946b78e.jar      |Clockwork: Create x Valkyrien |vs_clockwork                  |1.20.1-0.1.13-forge-|DONE      |Manifest: NOSIGNATURE         Shut Up GL Error-forge-1.20.1-1.0.0.jar           |Shut Up GL Error              |shut_up_gl_error              |1.0.0               |DONE      |Manifest: NOSIGNATURE         jukeboxfix-1.0.0-1.20.1.jar                       |Jukeboxfix                    |jukeboxfix                    |1.0.0+1.20.1        |DONE      |Manifest: NOSIGNATURE         alexscaves-1.1.4.jar                              |Alex's Caves                  |alexscaves                    |1.1.4               |DONE      |Manifest: NOSIGNATURE         EnchantmentDescriptions-Forge-1.20.1-17.0.9.jar   |EnchantmentDescriptions       |enchdesc                      |17.0.9              |DONE      |Manifest: eb:c4:b1:67:8b:f9:0c:db:dc:4f:01:b1:8e:61:64:39:4c:10:85:0b:a6:c4:c7:48:f0:fa:95:f2:cb:08:3a:e5         moonlight-1.20-2.11.9-forge.jar                   |Moonlight Library             |moonlight                     |1.20-2.11.9         |DONE      |Manifest: NOSIGNATURE         titanium-1.20.1-3.8.24.jar                        |Titanium                      |titanium                      |3.8.24              |DONE      |Manifest: NOSIGNATURE         RegionsUnexploredForge-0.5.2+1.20.1.jar           |Regions Unexplored            |regions_unexplored            |0.5.2               |DONE      |Manifest: NOSIGNATURE         MagnumTorch-v8.0.0-1.20.1-Forge.jar               |Magnum Torch                  |magnumtorch                   |8.0.0               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         mixinsquared-forge-0.1.1.jar                      |MixinSquared                  |mixinsquared                  |0.1.1               |DONE      |Manifest: NOSIGNATURE         Jade-1.20.1-forge-11.6.3.jar                      |Jade                          |jade                          |11.6.3              |DONE      |Manifest: NOSIGNATURE         appliedenergistics2-forge-15.0.23.jar             |Applied Energistics 2         |ae2                           |15.0.23             |DONE      |Manifest: NOSIGNATURE         ae2wtlib-15.2.2-forge.jar                         |AE2WTLib                      |ae2wtlib                      |15.2.2-forge        |DONE      |Manifest: NOSIGNATURE         AE2-Things-1.2.1.jar                              |AE2 Things                    |ae2things                     |1.2.1               |DONE      |Manifest: NOSIGNATURE         snowyspirit-1.20-3.0.6.jar                        |Snowy Spirit                  |snowyspirit                   |1.20-3.0.6          |DONE      |Manifest: NOSIGNATURE         friendsandfoes-beekeeperhut-forge-mc1.20-1.3.0.jar|Friends&Foes - Beekeeper Hut  |beekeeperhut                  |1.3.0               |DONE      |Manifest: NOSIGNATURE         theurgy-1.20.1-1.6.4.jar                          |Theurgy                       |theurgy                       |1.6.4               |DONE      |Manifest: NOSIGNATURE         nethersdelight-1.20.1-4.0.jar                     |Nether's Delight              |nethersdelight                |1.20.1-4.0          |DONE      |Manifest: NOSIGNATURE         BarteringStation-v8.0.0-1.20.1-Forge.jar          |Bartering Station             |barteringstation              |8.0.0               |DONE      |Manifest: 9a:09:85:98:65:c4:8c:11:c5:49:f6:d6:33:23:39:df:8d:b4:ff:92:84:b8:bd:a5:83:9f:ac:7f:2a:d1:4b:6a         Iceberg-1.20.1-forge-1.1.18.jar                   |Iceberg                       |iceberg                       |1.1.18              |DONE      |Manifest: NOSIGNATURE         Quark-4.0-435.jar                                 |Quark                         |quark                         |4.0-435             |DONE      |Manifest: NOSIGNATURE         supplementaries-1.20-2.8.7.jar                    |Supplementaries               |supplementaries               |1.20-2.8.7          |DONE      |Manifest: NOSIGNATURE         chemlib-1.20.1-2.0.18.jar                         |ChemLib                       |chemlib                       |2.0.18              |DONE      |Manifest: NOSIGNATURE         obsidianui-0.1.2+1.20.1.jar                       |ObsidianUI                    |spruceui                      |0.1.2+1.20.1        |DONE      |Manifest: NOSIGNATURE         modonomicon-1.20.1-forge-1.39.0.jar               |Modonomicon                   |modonomicon                   |1.39.0              |DONE      |Manifest: NOSIGNATURE         coroutil-forge-1.20.1-1.3.6.jar                   |CoroUtil                      |coroutil                      |1.20.1-1.3.6        |DONE      |Manifest: NOSIGNATURE         YOSBY-Forge-1.1.0.jar                             |yosby                         |yosby                         |1.0.0               |DONE      |Manifest: NOSIGNATURE         Concentration-forge-1.20.1-1.1.6.jar              |Concentration                 |concentration                 |1.1.6               |DONE      |Manifest: NOSIGNATURE         alexsdelight-1.5.jar                              |Alex's Delight                |alexsdelight                  |1.5                 |DONE      |Manifest: NOSIGNATURE         chisel+forge-1.7.0.jar                            |Chisel Reborn                 |chisel                        |1.7.0               |DONE      |Manifest: NOSIGNATURE         Saros-Road-Blocks-Mod-1.20.1-3.0-NeoForge.jar     |Saro´s Road Blocks Mod        |saros_road_blocks_mod         |3.0                 |DONE      |Manifest: NOSIGNATURE         rrls-4.0.6.1+mc1.20.1-forge.jar                   |Remove Reloading Screen       |rrls                          |4.0.6.1+mc1.20.1-for|DONE      |Manifest: NOSIGNATURE         ears-forge-1.19.4-1.4.7.jar                       |Ears                          |ears                          |1.4.7               |DONE      |Manifest: NOSIGNATURE         CrabbersDelight-1.20.1-1.1.3a.jar                 |Crabber's Delight             |crabbersdelight               |1.1.3a              |DONE      |Manifest: NOSIGNATURE         packetfixer-forge-2.0.0-1.19-to-1.20.1.jar        |Packet Fixer                  |packetfixer                   |2.0.0               |DONE      |Manifest: NOSIGNATURE         JourneyMap-Teams-forge-1.20.1-1.1.0.jar           |JourneyMap-Teams              |journeymapteams               |1.1.0               |DONE      |Manifest: NOSIGNATURE     Flywheel Backend: GL33 Instanced Arrays     Crash Report UUID: d49d2fd1-4b96-4abb-987c-8bde4c2d886b     FML: 47.1     NeoForge: net.neoforged:47.1.106     Kiwi Modules:          kiwi:contributors         kiwi:data     Fragments: Back Stack Index: 0 FragmentManager misc state:   mHost=icyllis.modernui.mc.UIManager$HostCallbacks@316073ab   mContainer=icyllis.modernui.mc.UIManager$HostCallbacks@316073ab   mCurState=7 mStateSaved=false mStopped=false mDestroyed=false  
    • Not completely sure, but it seems to be caused by the mod illuminations or some issue with sodiumsoptionapi and oculus not working with your instance of Embeddium. Try removing illuminations first, and if that doesn't work try the other two.
  • Topics

×
×
  • Create New...

Important Information

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