Jump to content

[1.7.2][SOLVED] Custom Wood Metadata Issues


smeagolem

Recommended Posts

Hi, David here  :)

 

I was creating some custom wood logs, and I attempted to do things how Minecraft does using metadata, so I created a copy of the BlockNewLog.class file.

I edited the wood types, added an iteration to get subBlocks, and corrected the icon register location.

Initially, I though it was working, but when I placed any of the custom wood logs, they all became the default type (metadata value 0)(Diamond Wood).

 

Below here you will see that they blocks work fine in the inventory, but all become Diamond Wood upon placement.

t7fNVM4.png

 

Here is my custom BlockEveryLog.java file:

package com.djh.everytrees;

import java.util.List;

import net.minecraft.block.BlockLog;
import net.minecraft.client.renderer.texture.IIconRegister;
import net.minecraft.creativetab.CreativeTabs;
import net.minecraft.item.Item;
import net.minecraft.item.ItemStack;
import net.minecraft.util.IIcon;
import cpw.mods.fml.relauncher.Side;
import cpw.mods.fml.relauncher.SideOnly;

public class BlockEveryLog extends BlockLog
{
    public static final String[] woodType = new String[] {"diamond", "gold", "iron"};
    private static final String __OBFID = "CL_00000281";

    /**
     * returns a list of blocks with the same ID, but different meta (eg: wood returns 4 blocks)
     */
    @SideOnly(Side.CLIENT)
    public void getSubBlocks(Item block, CreativeTabs creativeTabs, List list){
    	for(int i = 0; i < woodType.length; i++){
		list.add(new ItemStack(block, 1, i));
	}
    }

    @SideOnly(Side.CLIENT)
    public void registerBlockIcons(IIconRegister iconRegister)
    {
        this.field_150167_a = new IIcon[woodType.length];
        this.field_150166_b = new IIcon[woodType.length];

        for (int i = 0; i < this.field_150167_a.length; ++i)
        {
            this.field_150167_a[i] = iconRegister.registerIcon(EveryTrees.MODID + ":" + this.getTextureName() + "_" + woodType[i]);
            this.field_150166_b[i] = iconRegister.registerIcon(EveryTrees.MODID + ":" + this.getTextureName() + "_" + woodType[i] + "_top");
        }
    }
}

 

I tried to figure out how Minecraft handles the block placement with metadata, but to no solution.

Do I have to create a custom BlockLog.class file in addition? and if so, how would I implement handing the metadata wood types?

Anyone have any ideas?

Link to comment
Share on other sites

You need to specify a ItemBlock in the GameRegistry call.

Don't PM me with questions. They will be ignored! Make a thread on the appropriate board for support.

 

1.12 -> 1.13 primer by williewillus.

 

1.7.10 and older versions of Minecraft are no longer supported due to it's age! Update to the latest version for support.

 

http://www.howoldisminecraft1710.today/

Link to comment
Share on other sites

You need to specify a ItemBlock in the GameRegistry call.

 

I do believe I have done that.

 

Here's my code for my main mod file:

package com.djh.everytrees;

import net.minecraft.block.Block;
import net.minecraft.creativetab.CreativeTabs;
import net.minecraft.item.Item;
import cpw.mods.fml.common.Mod;
import cpw.mods.fml.common.Mod.EventHandler;
import cpw.mods.fml.common.event.FMLPreInitializationEvent;
import cpw.mods.fml.common.registry.GameRegistry;

// Define Basic Information for Mod
@Mod(modid = EveryTrees.MODID, version = EveryTrees.VERSION)

public class EveryTrees {
public static final String MODID = "everytrees";
public static final String VERSION = "0.1";

// Define Blocks
public static Block blockEveryLog;

// Define Creative Tabs
public static CreativeTabs tabEveryTrees;

@EventHandler
public void Load(FMLPreInitializationEvent event){

	// Settings for Custom Tabs
	tabEveryTrees = new CreativeTabs("tabEveryTrees"){
		public Item getTabIconItem() {
			return Item.getItemFromBlock(blockEveryLog);
		}
	};

	// Settings for Blocks
	blockEveryLog = new BlockEveryLog()
		.setBlockTextureName("log")
		.setBlockName("blockEveryLog")
		.setHardness(1.5F)
		.setCreativeTab(tabEveryTrees);


	// Register Blocks
	GameRegistry.registerBlock(blockEveryLog, ItemEveryLog.class, blockEveryLog.getUnlocalizedName().substring(5));

}
}

 

and here's the code for my ItemEveryLog file:

package com.djh.everytrees;

import net.minecraft.block.Block;
import net.minecraft.item.ItemBlock;
import net.minecraft.item.ItemStack;

public class ItemEveryLog extends ItemBlock {

public ItemEveryLog(Block block) {
	super(block);
	this.setHasSubtypes(true);
}

public String getUnlocalizedName(ItemStack itemStack){
	int i = itemStack.getItemDamage();
	if (i < 0 || i >= BlockEveryLog.woodType.length){
		i = 0;
	}

	return super.getUnlocalizedName() + "." + BlockEveryLog.woodType[i];
}

public int getMetaData(int meta){
	return meta;
}

}

 

And also, here's my en_US.lang file:

tile.blockEveryLog.diamond.name=Diamond Wood
tile.blockEveryLog.gold.name=Gold Wood
tile.blockEveryLog.iron.name=Iron Wood

itemGroup.tabEveryTrees=Every Trees

The names work fine which is good  :)

 

Is there something else I need to add into this?

Link to comment
Share on other sites

In the BlockWood.class I found this:

    /**
     * Determines the damage on the item the block drops. Used in cloth and wood.
     */
    public int damageDropped(int p_149692_1_)
    {
        return p_149692_1_;
    }

 

You'll need to use this so the block drops the correct item. I remember seeing something similar for block placement but I can't find it right now - if you look some you should be able to find it. What's happening is that the game doesn't realize when you place the item that it needs to convert damage -> metadata. The above should take care of block -> item, but as stated I can't find the call for item -> block.

Link to comment
Share on other sites

OK so going back into it - make sure that when you are getting the items it is the item from the item class if you are using it and not the auto-item-from-block. The item then needs the

/**
     * Returns the metadata of the block which this Item (ItemBlock) can place
     */
    public int getMetadata(int par1)
    {
        return 0;
    }

method overridden.

Link to comment
Share on other sites

OK so going back into it - make sure that when you are getting the items it is the item from the item class if you are using it and not the auto-item-from-block. The item then needs the

/**
     * Returns the metadata of the block which this Item (ItemBlock) can place
     */
    public int getMetadata(int par1)
    {
        return 0;
    }

method overridden.

 

After staring at this for a while, I suddenly realised the error of my ways, I feel like such a pleb  :P

In my ItemEveryLog file, I had misspelled Metadata as MetaData.

 

That one small change and everything works!

package com.djh.everytrees;

import net.minecraft.block.Block;
import net.minecraft.item.ItemBlock;
import net.minecraft.item.ItemStack;



public class ItemEveryLog extends ItemBlock {

public ItemEveryLog(Block block) {
	super(block);
	this.setHasSubtypes(true);
}

public String getUnlocalizedName(ItemStack itemStack){
	int i = itemStack.getItemDamage();
	if (i < 0 || i >= BlockEveryLog.woodType.length){
		i = 0;
	}

	return super.getUnlocalizedName() + "." + BlockEveryLog.woodType[i];
}

public int getMetadata(int meta){
	return meta;
}

}

 

Sorry for wasting people's time  :(

 

But thankyou cad97 and larsgerrits  :)

The damageDropped() code was already implemented because my file BlockEveryLog extends the standard Minecraft class BlockLog which extends BlockRotatedPillar which contains damageDropped() anyway.

 

Thanks for all the help :)

Link to comment
Share on other sites

Join the conversation

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

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

×   Pasted as rich text.   Restore formatting

  Only 75 emoji are allowed.

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

×   Your previous content has been restored.   Clear editor

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

Announcements



  • Recently Browsing

    • No registered users viewing this page.
  • Posts

    • How to fix file server-1.20.1-20230612.114412-srg.jar  
    • Just a few months ago I was creating my own plugin for Minecraft 1.20.2 spigot that did the same thing, but the skins were not saved, if you can understand this code that I made a long time ago it may help you.   //This is a class method private static String APIRequest(String value, String url, String toSearch) { try { URL api = new URL(url + value); HttpURLConnection connection = (HttpURLConnection) api.openConnection(); connection.setRequestMethod("GET"); int responseCode = connection.getResponseCode(); if (responseCode == HttpURLConnection.HTTP_OK) { BufferedReader reader = new BufferedReader(new InputStreamReader(connection.getInputStream())); StringBuilder response = new StringBuilder(); for (String responseChar; (responseChar = reader.readLine()) != null; ) response.append(responseChar); reader.close(); JSONObject responseObject = new JSONObject(response.toString()); if (!toSearch.equals("id")) return responseObject .getJSONArray("properties") .getJSONObject(0) .getString("value"); else return responseObject.getString("id"); } else { AntiGianka.ConsoleMessage(ChatColor.RED, String.format( "Could not get %s. Response code: %s", ((toSearch.equals("id")) ? "UUID" : "texture"), responseCode )); } } catch (MalformedURLException error) { AntiGianka.ConsoleMessage(ChatColor.RED, "An error occurred while trying to access the URL. Error: " + error); } catch (IOException error) { AntiGianka.ConsoleMessage(ChatColor.RED, "An error occurred while attempting to connect to the URL. Error: " + error); } return ""; } //other class method private void SkinGetter() { String uuid; String textureCoded; if ((uuid = APIRequest(args[0], "https://api.mojang.com/users/profiles/minecraft/", "id")).isEmpty() || (textureCoded = APIRequest(uuid, "https://sessionserver.mojang.com/session/minecraft/profile/", "value")).isEmpty() ) sender.sendMessage(ChatColor.RED + String.format( "An error has occurred while trying to obtain the %s player skin, please check if the name %s is spelled correctly or try again later.", args[0], args[0] ) ); else SkinSetter(textureCoded); } //other more private void SkinSetter(String textureCoded) { JSONObject profile = new JSONObject(new String(Base64.getDecoder().decode(textureCoded))); try { URL textureUrl = new URL(profile.getJSONObject("textures"). getJSONObject("SKIN"). getString("url")); if (sender instanceof Player && args.length == 1) { PlayerTextures playerTextures = ((Player) sender).getPlayerProfile().getTextures(); playerTextures.setSkin(textureUrl); ((Player) sender).getPlayerProfile().setTextures(playerTextures); if (((Player) sender).getPlayerProfile().getTextures().getSkin() != null) sender.sendMessage(((Player) sender).getPlayerProfile().getTextures().getSkin().toString()); else sender.sendMessage("Null"); sender.sendMessage("Skin changed successfully.a"); } else { } AntiGianka.ConsoleMessage(ChatColor.GREEN, "Skin command executed successfully."); } catch (MalformedURLException error) { sender.sendMessage(ChatColor.RED + String.format( "An error has occurred while trying to obtain the %s player skin, please check if the name %s is spelled correctly or try again later.", args[0], args[0] ) ); AntiGianka.ConsoleMessage(ChatColor.RED, "An error occurred while trying to access the URL. Error: " + error); } }  
    • Use /locate structure The chat should show all available structures as suggestion For the Ancient City it is /locate structure ancient_city
    • So does it work without this mod? Did you test it with other builds?
  • Topics

×
×
  • Create New...

Important Information

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