From 3725cffb90b30a987444c6ad27f121013640c458 Mon Sep 17 00:00:00 2001 From: LordMZTE Date: Mon, 31 Oct 2022 10:48:35 +0100 Subject: [PATCH] init --- .formatter.exs | 4 + .gitignore | 29 + README.md | 12 + client.sh | 2 + lib/cli.ex | 31 + lib/portingtools/application.ex | 18 + lib/portingtools/mappings.ex | 22 + lib/portingtools/mappings/agent.ex | 27 + lib/portingtools/resourceloc.ex | 32 + mappings/fields.csv | 4926 ++++++++++++++++++++++++++++ mappings/methods.csv | 4455 +++++++++++++++++++++++++ mix.exs | 29 + test/portingtools_test.exs | 8 + test/test_helper.exs | 1 + 14 files changed, 9596 insertions(+) create mode 100644 .formatter.exs create mode 100644 .gitignore create mode 100644 README.md create mode 100755 client.sh create mode 100644 lib/cli.ex create mode 100644 lib/portingtools/application.ex create mode 100644 lib/portingtools/mappings.ex create mode 100644 lib/portingtools/mappings/agent.ex create mode 100644 lib/portingtools/resourceloc.ex create mode 100644 mappings/fields.csv create mode 100644 mappings/methods.csv create mode 100644 mix.exs create mode 100644 test/portingtools_test.exs create mode 100644 test/test_helper.exs diff --git a/.formatter.exs b/.formatter.exs new file mode 100644 index 0000000..d2cda26 --- /dev/null +++ b/.formatter.exs @@ -0,0 +1,4 @@ +# Used by "mix format" +[ + inputs: ["{mix,.formatter}.exs", "{config,lib,test}/**/*.{ex,exs}"] +] diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..17e7656 --- /dev/null +++ b/.gitignore @@ -0,0 +1,29 @@ +# The directory Mix will write compiled artifacts to. +_build/ + +# If you run "mix test --cover", coverage assets end up here. +cover/ + +# The directory Mix downloads your dependencies sources to. +deps/ + +# Where third-party dependencies like ExDoc output generated docs. +doc/ + +# Ignore .fetch files in case you like to edit your project deps locally. +.fetch + +# If the VM crashes, it generates a dump, let's ignore it too. +erl_crash.dump + +# Also ignore archive artifacts (built via "mix archive.build"). +*.ez + +# Ignore package tarball (built via "mix hex.build"). +portingtools-*.tar + +# Temporary files, for example, from tests. +tmp/ + +# Language Server +.elixir_ls/ diff --git a/README.md b/README.md new file mode 100644 index 0000000..08e72d9 --- /dev/null +++ b/README.md @@ -0,0 +1,12 @@ +# Portingtools + +This tool is meant to make porting mods easier for MineteckReloaded. + +Also, it helped me learn some elixir, so don't expect good code. + +## Installation + +- `MIX_ENV=prod mix release` +- start the server with `_build/prod/rel/portingtools/bin/portingtools start` +- map stuff with `./client.sh map` +- resolve ResourceLocations with `./client.sh resourceloc` diff --git a/client.sh b/client.sh new file mode 100755 index 0000000..07e5a5e --- /dev/null +++ b/client.sh @@ -0,0 +1,2 @@ +#!/usr/bin/sh +exec "$(dirname "$(realpath "$0")")"/_build/prod/rel/portingtools/bin/portingtools rpc "Cli.call(~s<$1>)" diff --git a/lib/cli.ex b/lib/cli.ex new file mode 100644 index 0000000..d9e2ba8 --- /dev/null +++ b/lib/cli.ex @@ -0,0 +1,31 @@ +defmodule Cli do + def call(command) do + case command do + "map" -> + input() + |> PortingTools.Mappings.map() + |> output(:map) + + "resourceloc" -> + input() + |> PortingTools.ResourceLoc.resolve() + |> output(:map) + + _ -> + raise "Invalid command!" + end + end + + def input() do + IO.gets(nil) |> String.trim() + end + + def output(response, type) do + case {response, type} do + {s, _} when is_binary(s) -> s + {nil, :map} -> "" + {nil, :resourceloc} -> "" + end + |> IO.puts() + end +end diff --git a/lib/portingtools/application.ex b/lib/portingtools/application.ex new file mode 100644 index 0000000..930e775 --- /dev/null +++ b/lib/portingtools/application.ex @@ -0,0 +1,18 @@ +defmodule PortingTools.Application do + use Application + + @impl true + def start(_type, _args) do + #{:ok, _} = Node.start(:"portingtools@localhost", :shortnames) + #Node.set_cookie(Node.self(), :ptools) + + children = [ + PortingTools.ResourceLoc, + PortingTools.Mappings, + PortingTools.Mappings.Agent, + ] + + opts = [strategy: :one_for_one, name: PortingTools.Supervisor] + Supervisor.start_link(children, opts) + end +end diff --git a/lib/portingtools/mappings.ex b/lib/portingtools/mappings.ex new file mode 100644 index 0000000..43a9a22 --- /dev/null +++ b/lib/portingtools/mappings.ex @@ -0,0 +1,22 @@ +defmodule PortingTools.Mappings do + use GenServer, restart: :transient + require Logger + + def start_link(_) do + GenServer.start_link(__MODULE__, nil, name: __MODULE__) + end + + def init(_init_arg) do + Logger.info("Initilizing mappings server @ #{__MODULE__}") + {:ok, nil} + end + + def map(str) do + GenServer.call(__MODULE__, {:map, str}) + end + + def handle_call({:map, str}, _from, state) do + Logger.info("Got map request to map #{str}") + {:reply, PortingTools.Mappings.Agent.map(str), state} + end +end diff --git a/lib/portingtools/mappings/agent.ex b/lib/portingtools/mappings/agent.ex new file mode 100644 index 0000000..6487143 --- /dev/null +++ b/lib/portingtools/mappings/agent.ex @@ -0,0 +1,27 @@ +defmodule PortingTools.Mappings.Agent do + use Agent, restart: :transient + require Logger + + def start_link(_) do + Agent.start_link(&init/0, name: __MODULE__) + end + + def init() do + Logger.info("Reading mappings") + + mappings = + File.ls!("mappings") + |> Stream.flat_map(&File.stream!("mappings/#{&1}")) + |> Stream.map(&String.split(&1, ",")) + |> Enum.reduce(%{}, fn [remapped, orig | _], map -> + Map.put(map, remapped, orig) + end) + + Logger.info("Done reading mappings") + mappings + end + + def map(key) do + Agent.get(__MODULE__, &Map.get(&1, key)) + end +end diff --git a/lib/portingtools/resourceloc.ex b/lib/portingtools/resourceloc.ex new file mode 100644 index 0000000..d4113ed --- /dev/null +++ b/lib/portingtools/resourceloc.ex @@ -0,0 +1,32 @@ +defmodule PortingTools.ResourceLoc do + use GenServer, restart: :transient + require Logger + + def start_link(_) do + GenServer.start_link(__MODULE__, nil, name: __MODULE__) + end + + def init(_init_arg) do + Logger.info("Initializing Resourceloc server @ #{__MODULE__}") + {:ok, nil} + end + + def resolve(str) do + GenServer.call(__MODULE__, {:resolve, str}) + end + + def handle_call({:resolve, str}, _from, state) do + Logger.info("Got resolve request") + + try do + ["mods", mod | rest] = + String.trim(str) + |> String.trim(<>) + |> String.split("/", trim: true) + + {:reply, ~s, state} + rescue + MatchError -> {:reply, nil, state} + end + end +end diff --git a/mappings/fields.csv b/mappings/fields.csv new file mode 100644 index 0000000..270ded1 --- /dev/null +++ b/mappings/fields.csv @@ -0,0 +1,4926 @@ +field_100000_e,spawnChances,2,Chances for slimes to spawn in swamps for every moon phase. +field_100001_o,doneBtn,2,"""Done"" button for the GUI." +field_100002_d,cancelBtn,2, +field_100003_c,doneBtn,2, +field_100010_b,iconArray,2, +field_100013_f,isPotionDurationMax,2,"True if potion effect duration is at maximum, false otherwise." +field_70009_b,buffer,2,RCon string buffer for log. +field_70010_a,consoleBuffer,2,only ever used by MinecraftServer.executeCommand +field_70116_cv,serverPosZ,2, +field_70117_cu,serverPosY,2, +field_70118_ct,serverPosX,2, +field_70119_cs,cloakUrl,2,downloadable location of player's cloak +field_70120_cr,skinUrl,2,downloadable location of player's skin +field_70121_D,boundingBox,2,Axis aligned bounding box. +field_70122_E,onGround,2, +field_70123_F,isCollidedHorizontally,2,True if after a move this entity has collided with something on X- or Z-axis +field_70124_G,isCollidedVertically,2,True if after a move this entity has collided with something on Y-axis +field_70125_A,rotationPitch,2,Entity rotation Pitch +field_70126_B,prevRotationYaw,2, +field_70127_C,prevRotationPitch,2, +field_70128_L,isDead,2,"Gets set by setDead, so this must be the flag whether an Entity is dead (inactive may be better term)" +field_70129_M,yOffset,2, +field_70130_N,width,2,How wide this entity is considered to be +field_70131_O,height,2,How high this entity is considered to be +field_70132_H,isCollided,2,True if after a move this entity has collided with something either vertically or horizontally +field_70133_I,velocityChanged,2, +field_70134_J,isInWeb,2, +field_70136_U,lastTickPosZ,2,"The entity's Z coordinate at the previous tick, used to calculate position during rendering routines" +field_70137_T,lastTickPosY,2,"The entity's Y coordinate at the previous tick, used to calculate position during rendering routines" +field_70138_W,stepHeight,2,How high this entity can step up when running into a block to try to get over it (currently make note the entity will always step up this amount and not just the amount needed) +field_70139_V,ySize,2, +field_70140_Q,distanceWalkedModified,2,The distance walked multiplied by 0.6 +field_70141_P,prevDistanceWalkedModified,2,The previous ticks distance walked multiplied by 0.6 +field_70142_S,lastTickPosX,2,"The entity's X coordinate at the previous tick, used to calculate position during rendering routines" +field_70143_R,fallDistance,2, +field_70144_Y,entityCollisionReduction,2,Reduces the velocity applied by entity collisions by the specified percent. +field_70145_X,noClip,2,Whether this entity won't clip with collision or not (make note it won't disable gravity) +field_70146_Z,rand,2, +field_70147_f,entityRiderYawDelta,2, +field_70148_d,firstUpdate,2, +field_70149_e,entityRiderPitchDelta,2, +field_70150_b,nextStepDistance,2,The distance that has to be exceeded in order to triger a new step sound and an onEntityWalking event on a block +field_70151_c,fire,2, +field_70152_a,nextEntityID,2, +field_70153_n,riddenByEntity,2,The entity that is riding this entity +field_70154_o,ridingEntity,2,The entity we are currently riding +field_70155_l,renderDistanceWeight,2, +field_70156_m,preventEntitySpawning,2,Blocks entities from spawning when they do their AABB check to make sure the spot is clear of entities that can prevent spawning. +field_70157_k,entityId,2, +field_70158_ak,ignoreFrustumCheck,2,Render entity even if it is outside the camera frustum. Only true in EntityFish for now. Used in RenderGlobal: render if ignoreFrustumCheck or in frustum. +field_70159_w,motionX,2,Entity motion X +field_70160_al,isAirBorne,2, +field_70161_v,posZ,2,Entity position Z +field_70162_ai,chunkCoordY,2, +field_70163_u,posY,2,Entity position Y +field_70164_aj,chunkCoordZ,2, +field_70165_t,posX,2,Entity position X +field_70166_s,prevPosZ,2, +field_70167_r,prevPosY,2, +field_70168_am,myEntitySize,2, +field_70169_q,prevPosX,2, +field_70170_p,worldObj,2,Reference to the World object. +field_70171_ac,inWater,2,Whether this entity is currently inside of water (if it handles water movement that is) +field_70172_ad,hurtResistantTime,2,"Remaining time an entity will be ""immune"" to further damage after being hurt." +field_70173_aa,ticksExisted,2,How many ticks has this entity had ran since being alive +field_70174_ab,fireResistance,2,The amount of ticks you have to stand inside of fire before be set on fire +field_70175_ag,addedToChunk,2,Has this entity been added to the chunk its within +field_70176_ah,chunkCoordX,2, +field_70177_z,rotationYaw,2,Entity rotation Yaw +field_70178_ae,isImmuneToFire,2, +field_70179_y,motionZ,2,Entity motion Z +field_70180_af,dataWatcher,2, +field_70181_x,motionY,2,Entity motion Y +field_70187_f,zTile,2, +field_70188_g,inTile,2, +field_70189_d,xTile,2, +field_70190_e,yTile,2, +field_70191_b,throwableShake,2, +field_70192_c,thrower,2,"Is the entity that throws this 'thing' (snowball, ender pearl, eye of ender or potion)" +field_70193_a,inGround,2, +field_70194_h,ticksInGround,2, +field_70195_i,ticksInAir,2, +field_70197_d,potionDamage,2,The damage value of the thrown potion that this EntityPotion represents. +field_70200_f,zTile,2,"The tile this entity is on, Z position" +field_70201_g,inTile,2, +field_70202_d,xTile,2,"The tile this entity is on, X position" +field_70203_e,yTile,2,"The tile this entity is on, Y position" +field_70204_b,angler,2, +field_70205_c,bobber,2,"The entity that the fishing rod is connected to, if any. When you right click on the fishing rod and the hook falls on to an entity, this it that entity." +field_70206_a,shake,2, +field_70207_at,fishPitch,2, +field_70208_as,fishYaw,2, +field_70209_ar,fishZ,2, +field_70210_aq,fishY,2, +field_70211_j,ticksInAir,2, +field_70212_aw,velocityZ,2, +field_70213_av,velocityY,2, +field_70214_h,inGround,2, +field_70215_au,velocityX,2, +field_70216_i,ticksInGround,2, +field_70217_ao,fishPosRotationIncrements,2, +field_70218_ap,fishX,2, +field_70219_an,ticksCatchable,2,the number of ticks remaining until this fish can no longer be caught +field_70221_f,shatterOrDrop,2, +field_70222_d,targetZ,2,'z' location the eye should float towards. +field_70223_e,despawnTimer,2, +field_70224_b,targetX,2,'x' location the eye should float towards. +field_70225_c,targetY,2,'y' location the eye should float towards. +field_70228_f,yTile,2, +field_70229_g,zTile,2, +field_70230_d,accelerationZ,2, +field_70231_e,xTile,2, +field_70232_b,accelerationX,2, +field_70233_c,accelerationY,2, +field_70234_an,ticksInAir,2, +field_70235_a,shootingEntity,2, +field_70236_j,ticksAlive,2, +field_70237_h,inTile,2, +field_70238_i,inGround,2, +field_70245_f,zTile,2, +field_70246_g,inTile,2, +field_70247_d,xTile,2, +field_70248_e,yTile,2, +field_70249_b,arrowShake,2,Seems to be some sort of timer for animating an arrow. +field_70250_c,shootingEntity,2,The owner of this arrow. +field_70251_a,canBePickedUp,2,1 if the player can pick up the arrow +field_70252_j,ticksInGround,2, +field_70253_h,inData,2, +field_70254_i,inGround,2, +field_70255_ao,damage,2, +field_70256_ap,knockbackStrength,2,The amount of knockback an arrow applies when it hits a mob. +field_70257_an,ticksInAir,2, +field_70258_b,name,2,The name of the Dragon Part +field_70259_a,entityDragonObj,2,The dragon entity this dragon part belongs to +field_70260_b,health,2, +field_70261_a,innerRotation,2,Used to create the rotation animation when rendering the crystal. +field_70262_b,lightningState,2,"Declares which state the lightning bolt is in. Whether it's in the air, hit the ground, etc." +field_70263_c,boltLivingTime,2,Determines the time before the EntityLightningBolt is destroyed. It is a random integer decremented over time. +field_70264_a,boltVertex,2,A random long that is used to change the vertex of the lightning rendered in RenderLightningBolt +field_70272_f,boatZ,2, +field_70273_g,boatYaw,2, +field_70274_d,boatX,2, +field_70275_e,boatY,2, +field_70276_b,speedMultiplier,2, +field_70277_c,boatPosRotationIncrements,2, +field_70278_an,velocityZ,2, +field_70280_j,velocityY,2, +field_70281_h,boatPitch,2, +field_70282_i,velocityX,2, +field_70284_d,shouldDropItem,2, +field_70285_b,metadata,2, +field_70286_c,fallTime,2,How long the block has been falling for. +field_70287_a,blockID,2, +field_70290_d,hoverStart,2,The EntityItem's random initial float height. +field_70291_e,health,2,"The health of this EntityItem. (For example, damage for tools)" +field_70292_b,age,2,The age of this EntityItem (used to animate it up and down as well as expire it) +field_70293_c,delayBeforeCanPickup,2, +field_70323_b,classToNameMap,2,A HashMap storing the classes and mapping to the string names (reverse of nameToClassMap). +field_70324_q,blockType,2,the Block type that this TileEntity is contained within +field_70325_p,blockMetadata,2, +field_70326_a,nameToClassMap,2,A HashMap storing string names of classes mapping to the actual java.lang.Class type. +field_70327_n,zCoord,2,The z coordinate of the tile entity. +field_70328_o,tileEntityInvalid,2, +field_70329_l,xCoord,2,The x coordinate of the tile entity. +field_70330_m,yCoord,2,The y coordinate of the tile entity. +field_70331_k,worldObj,2,The reference to the world. +field_70342_f,progress,2, +field_70343_g,lastProgress,2,the progress in (de)extending +field_70344_d,extending,2,if this piston is extending or not +field_70345_e,shouldHeadBeRendered,2, +field_70346_b,storedMetadata,2, +field_70347_c,storedOrientation,2,the side the front of the piston is on +field_70348_a,storedBlockID,2, +field_70349_h,pushedObjects,2, +field_70356_d,ingredientID,2, +field_70357_b,brewTime,2, +field_70358_c,filledSlots,2,an integer with each bit specifying whether that slot of the stand contains a potion +field_70359_a,brewingItemStacks,2,The itemstacks currently placed in the slots of the brewing stand +field_70362_b,dispenserRandom,2,random number generator for instance. Used in random item stack selection. +field_70363_a,dispenserContents,2, +field_70367_d,ticksSinceSync,2,Server sync counter (once per 20 ticks) +field_70368_b,prevLidAngle,2,The angle of the chest lid last tick +field_70369_c,numUsingPlayers,2,The number of players currently using this ender chest. +field_70370_a,lidAngle,2,The current angle of the chest lid (between 0 and 1) +field_70371_f,bookSpread,2,The amount that the book is open. +field_70372_g,bookSpreadPrev,2,The amount that the book is open. +field_70375_b,pageFlip,2,Value used for determining how the page flip should look. +field_70376_r,rand,2, +field_70377_c,pageFlipPrev,2,The last tick's pageFlip value. +field_70378_a,tickCount,2,Used by the render to make the book 'bounce' +field_70379_j,bookRotation,2, +field_70380_h,bookRotation2,2, +field_70381_i,bookRotationPrev,2, +field_70404_d,furnaceItemStacks,2,The ItemStacks that hold the items currently being used in the furnace +field_70405_b,currentItemBurnTime,2,The number of ticks that a fresh copy of the currently-burning item would keep the furnace burning for +field_70406_c,furnaceCookTime,2,The number of ticks that the current item has been cooking for +field_70407_a,furnaceBurnTime,2,The number of ticks that the furnace will keep burning +field_70410_b,lineBeingEdited,2,"The index of the line currently being edited. Only used on client side, but defined on both. Note this is only really used when the > < are going to be visible." +field_70411_c,isEditable,2, +field_70412_a,signText,2,An array of four strings storing the lines of text on the sign. +field_70415_b,previousRedstoneState,2,stores the latest redstone state +field_70416_a,note,2,Note to play +field_70417_a,record,2,ID of record which is in Jukebox +field_70419_f,lidAngle,2,The current angle of the lid (between 0 and 1) +field_70420_g,prevLidAngle,2,The angle of the lid last tick +field_70421_d,adjacentChestXNeg,2,Contains the chest tile located adjacent to this one (if any) +field_70422_e,adjacentChestZPosition,2,Contains the chest tile located adjacent to this one (if any) +field_70423_b,adjacentChestZNeg,2,Contains the chest tile located adjacent to this one (if any) +field_70424_c,adjacentChestXPos,2,Contains the chest tile located adjacent to this one (if any) +field_70425_a,adjacentChestChecked,2,Determines if the check for adjacent chests has taken place. +field_70426_j,ticksSinceSync,2,Server sync counter (once per 20 ticks) +field_70427_h,numUsingPlayers,2,The number of players currently using this chest +field_70428_i,chestContents,2, +field_70456_f,currentItemStack,2,The current ItemStack. +field_70457_g,itemStack,2, +field_70458_d,player,2,The player whose inventory this is. +field_70459_e,inventoryChanged,2,Set true whenever the inventory changes. Nothing sets it false so you will have to write your own code to check it and reset the value. +field_70460_b,armorInventory,2,An array of 4 item stacks containing the currently worn armor pieces. +field_70461_c,currentItem,2,The index of the currently held item (0-8). +field_70462_a,mainInventory,2,An array of 36 item stacks indicating the main player inventory (including the visible bar). +field_70464_b,inventoryWidth,2,the width of the crafting inventory +field_70465_c,eventHandler,2,Class containing the callbacks for the events on_GUIClosed and on_CraftMaxtrixChanged. +field_70466_a,stackList,2,List of the stacks in the crafting matrix. +field_70467_a,stackResult,2,A list of one item containing the result of the crafting formula +field_70472_d,currentRecipe,2, +field_70473_e,currentRecipeIndex,2, +field_70474_b,theInventory,2, +field_70475_c,thePlayer,2, +field_70476_a,theMerchant,2, +field_70477_b,upperChest,2,Inventory object corresponding to double chest upper part +field_70478_c,lowerChest,2,Inventory object corresponding to double chest lower part +field_70479_a,name,2,Name of the chest. +field_70481_b,slotsCount,2, +field_70482_c,inventoryContents,2, +field_70483_a,inventoryTitle,2, +field_70484_a,container,2,The brewing stand this slot belongs to. +field_70488_a,associatedChest,2, +field_70499_f,isInReverse,2, +field_70500_g,matrix,2,Minecart rotational logic matrix +field_70506_as,velocityZ,2, +field_70507_ar,velocityY,2, +field_70508_aq,velocityX,2, +field_70509_j,minecartY,2, +field_70510_h,turnProgress,2,appears to be the progress of the turn +field_70511_i,minecartX,2, +field_70512_ao,minecartYaw,2, +field_70513_ap,minecartPitch,2, +field_70514_an,minecartZ,2, +field_70516_a,fuse,2,How long the fuse is +field_70520_f,tickCounter1,2, +field_70521_d,zPosition,2, +field_70522_e,art,2, +field_70523_b,xPosition,2, +field_70524_c,yPosition,2, +field_70529_d,xpOrbHealth,2,The health of this XP orb. +field_70530_e,xpValue,2,This is how much XP this orb has. +field_70531_b,xpOrbAge,2,The age of the XP orb in ticks. +field_70533_a,xpColor,2,A constantly increasing value that RenderXPOrb uses to control the colour shifting (Green / yellow) +field_70544_f,particleScale,2, +field_70545_g,particleGravity,2, +field_70546_d,particleAge,2, +field_70547_e,particleMaxAge,2, +field_70548_b,particleTextureJitterX,2, +field_70549_c,particleTextureJitterY,2, +field_70550_a,particleIcon,2,The icon field from which the given particle pulls its texture. +field_70551_j,particleBlue,2,"The blue amount of color. Used as a percentage, 1.0 = 255 and 0.0 = 0." +field_70552_h,particleRed,2,"The red amount of color. Used as a percentage, 1.0 = 255 and 0.0 = 0." +field_70553_i,particleGreen,2,"The green amount of color. Used as a percentage, 1.0 = 255 and 0.0 = 0." +field_70554_ao,interpPosY,2, +field_70555_ap,interpPosZ,2, +field_70556_an,interpPosX,2, +field_70557_a,theEntity,2,Entity that had been hit and done the Critical hit on. +field_70558_as,particleName,2, +field_70559_ar,maximumLife,2, +field_70560_aq,currentLife,2, +field_70562_a,flameScale,2,the scale of the flame FX +field_70563_a,materialType,2,the material type for dropped items/blocks +field_70564_aq,bobTimer,2,The height of the current bob +field_70570_a,reddustParticleScale,2, +field_70571_a,portalParticleScale,2, +field_70572_as,portalPosZ,2, +field_70573_ar,portalPosY,2, +field_70574_aq,portalPosX,2, +field_70575_a,particleScaleOverTime,2, +field_70577_ar,currentFootSteps,2, +field_70579_a,timeSinceStart,2, +field_70580_aq,maximumTime,2,the maximum time for the explosion +field_70583_ar,theRenderEngine,2,The Rendering Engine. +field_70585_a,noteParticleScale,2, +field_70586_a,lavaParticleScale,2, +field_70587_a,smokeParticleScale,2, +field_70588_a,snowDigParticleScale,2, +field_70590_a,baseSpellTextureIndex,2,Base spell texture index +field_70591_a,entityToPickUp,2, +field_70592_at,yOffs,2,renamed from yOffset to fix shadowing Entity.yOffset +field_70593_as,maxAge,2, +field_70594_ar,age,2, +field_70595_aq,entityPickingUp,2, +field_70597_a,blockInstance,2, +field_70696_bz,attackTarget,2,The active target the Task system uses for tracking +field_70697_bw,moveSpeed,2, +field_70698_bv,defaultPitch,2, +field_70699_by,navigator,2, +field_70700_bx,numTicksToChaseTarget,2,How long to keep a specific target entity +field_70701_bs,moveForward,2, +field_70702_br,moveStrafing,2, +field_70703_bu,isJumping,2,used to check whether entity is jumping. +field_70704_bt,randomYawVelocity,2, +field_70705_bn,newRotationPitch,2,The new yaw rotation to be applied to the entity. +field_70707_bp,lastDamage,2,"Amount of damage taken in last hit, in half-hearts" +field_70708_bq,entityAge,2,"Holds the living entity age, used to control the despawn." +field_70709_bj,newPosX,2,The new X position to be applied to the entity. +field_70710_bk,newPosY,2,The new Y position to be applied to the entity. +field_70711_bl,newPosZ,2,The new Z position to be applied to the entity. +field_70712_bm,newRotationYaw,2,The new yaw rotation to be applied to the entity. +field_70713_bf,activePotionsMap,2, +field_70714_bg,tasks,2, +field_70715_bh,targetTasks,2, +field_70716_bi,newPosRotationIncrements,2,The number of updates over which the new position and rotation are to be applied to the entity. +field_70717_bb,attackingPlayer,2,The most recent player that has attacked this entity +field_70718_bc,recentlyHit,2,"Set to 60 when hit by the player or the player's wolf, then decrements. Used to determine whether the entity should drop items on death." +field_70720_be,arrowHitTimer,2, +field_70721_aZ,limbYaw,2, +field_70722_aY,prevLimbYaw,2, +field_70723_bA,senses,2, +field_70724_aR,attackTime,2, +field_70725_aQ,deathTime,2,"The amount of time remaining this entity should act 'dead', i.e. have a corpse in the world." +field_70726_aT,cameraPitch,2, +field_70727_aS,prevCameraPitch,2, +field_70728_aV,experienceValue,2,The experience points the Entity gives. +field_70729_aU,dead,2,"This gets set on entity death, but never used. Looks like a duplicate of isDead" +field_70732_aI,prevSwingProgress,2, +field_70733_aJ,swingProgress,2, +field_70734_aK,health,2, +field_70735_aL,prevHealth,2, +field_70736_aM,carryoverDamage,2,"in each step in the damage calculations, this is set to the 'carryover' that would result if someone was damaged .25 hearts (for example), and added to the damage in the next step" +field_70737_aN,hurtTime,2,The amount of time remaining this entity should act 'hurt'. (Visual appearance of red tint) +field_70738_aO,maxHurtTime,2,What the hurt time was max set to last. +field_70739_aP,attackedAtYaw,2,The yaw at which this entity was last attacked from. +field_70742_aC,entityType,2,a string holding the type of entity it is currently only implemented in entityPlayer(as 'humanoid') +field_70744_aE,scoreValue,2,"The score value of the Mob, the amount of points the mob is worth." +field_70746_aG,landMovementFactor,2,"A factor used to determine how far this entity will move each tick if it is walking on land. Adjusted by speed, and slipperiness of the current block." +field_70747_aH,jumpMovementFactor,2,A factor used to determine how far this entity will move each tick if it is jumping or falling. +field_70749_g,lookHelper,2, +field_70750_az,texture,2,the path for the texture of this entityLiving +field_70751_d,lastAttackingEntity,2, +field_70752_e,potionsNeedUpdate,2,Whether the DataWatcher needs to be updated with the active potions +field_70754_ba,limbSwing,2,Only relevant when limbYaw is not 0(the entity is moving). Influences where in its swing legs and arms currently are. +field_70755_b,entityLivingToAttack,2,"is only being set, has no uses as of MC 1.1" +field_70756_c,revengeTimer,2, +field_70757_a,livingSoundTime,2,Number of ticks since this EntityLiving last produced its sound +field_70758_at,prevRotationYawHead,2,Entity head rotation yaw at previous tick +field_70759_as,rotationYawHead,2,Entity head rotation yaw +field_70760_ar,prevRenderYawOffset,2, +field_70761_aq,renderYawOffset,2, +field_70762_j,bodyHelper,2, +field_70765_h,moveHelper,2, +field_70767_i,jumpHelper,2,Entity jumping helper +field_70771_an,maxHurtResistantTime,2, +field_70772_bD,maximumHomeDistance,2,If -1 there is no maximum distance +field_70773_bE,jumpTicks,2,Number of ticks since last jump +field_70774_bB,AIMoveSpeed,2, +field_70775_bC,homePosition,2, +field_70776_bF,currentTarget,2,This entity's current target. +field_70786_d,pathToEntity,2, +field_70787_b,hasAttacked,2,returns true if a creature has attacked recently only used for creepers and skeletons +field_70788_c,fleeingTick,2,Used to make a creature speed up and wander away when hit. +field_70789_a,entityToAttack,2,The Entity this EntityCreature is set to attack. +field_70791_f,attackCounter,2, +field_70792_g,targetedEntity,2, +field_70793_d,waypointZ,2, +field_70794_e,prevAttackCounter,2, +field_70795_b,waypointX,2, +field_70796_c,waypointY,2, +field_70797_a,courseChangeCooldown,2, +field_70798_h,aggroCooldown,2,Cooldown time between target loss and new target aquirement. +field_70810_d,slimeJumpDelay,2,the time between each jump of the slime +field_70827_d,carriableBlocks,2, +field_70828_e,teleportDelay,2,Counter to delay the teleportation of an enderman towards the currently attacked target +field_70833_d,timeSinceIgnited,2,The amount of time since the creeper was close enough to the player to ignite +field_70834_e,lastActiveTime,2,"Time when this creeper was last in an active state (Messed up code here, probably causes creeper animation to go weird)" +field_70837_d,angerLevel,2,Above zero if this PigZombie is Angry. +field_70838_e,randomSoundDelay,2,A random delay until this PigZombie next makes a sound. +field_70843_d,allySummonCooldown,2,A cooldown before this entity will search for another Silverfish to join them in battle. +field_70847_d,heightOffset,2,Random offset used in floating behaviour +field_70848_e,heightOffsetUpdateTime,2,ticks until heightOffset is randomized +field_70855_f,attackTimer,2, +field_70856_g,holdRoseTick,2, +field_70857_d,villageObj,2, +field_70858_e,homeCheckTimer,2,"deincrements, and a distance-to-home check is done at 0" +field_70859_f,squidYaw,2, +field_70860_g,prevSquidYaw,2, +field_70861_d,squidPitch,2, +field_70862_e,prevSquidPitch,2, +field_70863_bz,randomMotionSpeed,2, +field_70865_by,prevTentacleAngle,2,the last calculated angle of the tentacles in radians +field_70866_j,tentacleAngle,2,angle of the tentacles in radians +field_70869_bD,randomMotionVecY,2, +field_70870_bE,randomMotionVecZ,2, +field_70872_bC,randomMotionVecX,2, +field_70881_d,inLove,2, +field_70882_e,breeding,2,This is representation of a counter for reproduction progress. (Note that this is different from the inLove which represent being in Love-Mode) +field_70883_f,destPos,2, +field_70887_j,timeUntilNextEgg,2,The time until the next egg is spawned. +field_70897_f,aiEatGrass,2,The eat grass AI task for this mob. +field_70898_d,fleeceColorTable,2,Holds the RGB table of the sheep colors - in OpenGL glColor3f values - used to render the sheep colored fleece. +field_70899_e,sheepTimer,2,Used to control movement as well as wool regrowth. Set to 40 on handleHealthUpdate and counts down with each tick. +field_70911_d,aiSit,2, +field_70914_e,aiTempt,2,"The tempt AI task for this mob, used to prevent taming while it is fleeing." +field_70925_g,isShaking,2,true is the wolf is wet else false +field_70927_j,prevTimeWolfIsShaking,2, +field_70929_i,timeWolfIsShaking,2,This time increases while wolf is shaking and emitting water particles. +field_70935_b,customer,2,This merchant's current player customer. +field_70936_c,recipeList,2,The MerchantRecipeList instance. +field_70937_a,theMerchantInventory,2,Instance of Merchants Inventory. +field_70952_f,isMating,2, +field_70953_g,isPlaying,2, +field_70954_d,villageObj,2, +field_70955_e,randomTickDivider,2, +field_70956_bz,wealth,2, +field_70958_bB,villagerStockList,2,a villagers recipe list is intialized off this list ; the 2 params are min/max amount they will trade for 1 emerald +field_70959_by,needsInitilization,2,addDefaultEquipmentAndRecipies is called if this is true +field_70960_bC,blacksmithSellingList,2,"Selling list of Blacksmith items. negative numbers mean 1 emerald for n items, positive numbers are n emeralds for 1 item" +field_70961_j,timeUntilReset,2, +field_70962_h,buyingPlayer,2,This villager's current customer. +field_70963_i,buyingList,2,Initialises the MerchantRecipeList.java +field_70976_f,ringBufferIndex,2,Index into the ring buffer. Incremented once per tick and restarts at 0 once it reaches the end of the buffer. +field_70977_g,dragonPartArray,2,An array containing all body parts of this dragon +field_70978_d,targetZ,2, +field_70979_e,ringBuffer,2,Ring buffer array for the last 64 Y-positions and yaw rotations. Used to calculate offsets for the animations. +field_70980_b,targetX,2, +field_70981_c,targetY,2, +field_70982_bz,dragonPartTail3,2, +field_70983_bA,dragonPartWing1,2, +field_70984_by,dragonPartTail2,2, +field_70985_j,dragonPartTail1,2, +field_70986_h,dragonPartHead,2,The head bounding box of a dragon +field_70987_i,dragonPartBody,2,The body bounding box of a dragon +field_70988_bD,animTime,2,"Animation time, used to control the speed of the animation cycles (wings flapping, jaw opening, etc.)" +field_70989_bE,forceNewTarget,2,Force selecting a new flight target at next tick if set to true. +field_70990_bB,dragonPartWing2,2, +field_70991_bC,prevAnimTime,2,Animation time at previous tick. +field_70992_bH,healingEnderCrystal,2,The current endercrystal that is healing this dragon +field_70993_bI,target,2, +field_70994_bF,slowed,2,"Activated if the dragon is flying though obsidian, white stone or bedrock. Slows movement and animation speed." +field_70995_bG,deathTicks,2, +field_71067_cb,experienceTotal,2,The total amount of experience the player has. This also includes the amount of experience within their Experience Bar. +field_71068_ca,experienceLevel,2,The current experience level the player is on. +field_71069_bz,inventoryContainer,2,The Container for the player's inventory (which opens when they press E) +field_71070_bA,openContainer,2,The Container the player has open. +field_71071_by,inventory,2,Inventory of the player +field_71072_f,itemInUseCount,2,This field starts off equal to getMaxItemUseDuration and is decremented on each tick +field_71073_d,startMinecartRidingCoordinate,2,Holds the coordinate of the player when enter a minecraft to ride. +field_71074_e,itemInUse,2,"This is the item that is in use when the player is holding down the useItemButton (e.g., bow, food, sword)" +field_71075_bZ,capabilities,2,The player's capabilities. (See class PlayerCapabilities) +field_71076_b,sleepTimer,2, +field_71077_c,spawnChunk,2,Holds the last coordinate to spawn based on last bed that the player sleep. +field_71078_a,theInventoryEnderChest,2, +field_71080_cy,prevTimeInPortal,2,The amount of time an entity has been in a Portal the previous tick +field_71081_bT,playerLocation,2,The chunk coordinates of the bed the player is in (null if player isn't in a bed). +field_71083_bS,sleeping,2,Boolean value indicating weather a player is sleeping or not +field_71086_bY,timeInPortal,2,The amount of time an entity has been in a Portal +field_71087_bX,inPortal,2,Whether the entity is inside a Portal +field_71088_bW,timeUntilPortal,2, +field_71090_bL,xpCooldown,2,Used by EntityPlayer to prevent too many xp orbs from getting absorbed at once. +field_71092_bJ,username,2, +field_71093_bK,dimension,2,"Which dimension the player is in (-1 = the Nether, 0 = normal world)" +field_71100_bB,foodStats,2,The player's food stats. (See class FoodStats) +field_71101_bC,flyToggleTimer,2,"Used to tell if the player pressed jump twice. If this is at 0 and it's pressed (And they are allowed to fly, as defined in the player's movementInput) it sets this to 7. If it's pressed and it's greater than 0 enable fly." +field_71102_ce,speedInAir,2, +field_71104_cf,fishEntity,2,"An instance of a fishing rod's hook. If this isn't null, the icon image of the fishing rod is slightly different" +field_71106_cc,experience,2,The current amount of experience the player has within their Experience Bar. +field_71107_bF,prevCameraYaw,2, +field_71108_cd,speedOnGround,2, +field_71109_bG,cameraYaw,2, +field_71129_f,loadedChunks,2,LinkedList that holds the loaded chunks. +field_71130_g,destroyedItemsNetCache,2,entities added to this list will be packet29'd to the player +field_71131_d,managedPosX,2,player X position as seen by PlayerManager +field_71132_e,managedPosZ,2,player Z position as seen by PlayerManager +field_71133_b,mcServer,2,Reference to the MinecraftServer object. +field_71134_c,theItemInWorldManager,2,The ItemInWorldManager belonging to this player +field_71135_a,playerNetServerHandler,2,The NetServerHandler assigned to this player by the ServerConfigurationManager. +field_71136_j,playerConqueredTheEnd,2,"Set when a player beats the ender dragon, used to respawn the player at the spawn point while retaining inventory and XP" +field_71137_h,playerInventoryBeingManipulated,2,"poor mans concurency flag, lets hope the jvm doesn't re-order the setting of this flag wrt the inventory change on the next line" +field_71138_i,ping,2, +field_71139_cq,currentWindowId,2,The currently in use window ID. Incremented every time a window is opened. +field_71140_co,chatColours,2, +field_71142_cm,renderDistance,2,must be between 3>x>15 (strictly between) +field_71143_cn,chatVisibility,2, +field_71144_ck,lastExperience,2,Amount of experience the client was last set to +field_71145_cl,initialInvulnerability,2,"de-increments onUpdate, attackEntityFrom is ignored if this >0" +field_71146_ci,lastFoodLevel,2,set to foodStats.GetFoodLevel +field_71147_cj,wasHungry,2,set to foodStats.getSaturationLevel() == 0.0F each tick +field_71148_cg,translator,2, +field_71149_ch,lastHealth,2,set to getHealth +field_71154_f,renderArmYaw,2, +field_71155_g,renderArmPitch,2, +field_71156_d,sprintToggleTimer,2,"Used to tell if the player pressed forward twice. If this is at 0 and it's pressed (And they are allowed to sprint, aka enough food on the ground etc) it sets this to 7. If it's pressed and it's greater than 0 enable sprinting." +field_71157_e,sprintingTicksLeft,2,Ticks left before sprinting is disabled. +field_71158_b,movementInput,2, +field_71159_c,mc,2, +field_71163_h,prevRenderArmYaw,2, +field_71164_i,prevRenderArmPitch,2, +field_71169_cp,hasSetHealth,2,has the client player's health been set? +field_71170_cm,shouldStopSneaking,2,should the player stop sneaking? +field_71171_cn,wasSneaking,2, +field_71172_ck,oldRotationPitch,2, +field_71173_cl,wasOnGround,2,Check if was on ground last update +field_71174_a,sendQueue,2, +field_71175_ci,oldPosZ,2, +field_71176_cj,oldRotationYaw,2, +field_71177_cg,oldMinY,2,Old Minimum Y of the bounding box +field_71178_ch,oldPosY,2, +field_71179_j,oldPosX,2, +field_71180_f,otherPlayerMPYaw,2, +field_71181_g,otherPlayerMPPitch,2, +field_71182_d,otherPlayerMPY,2, +field_71183_e,otherPlayerMPZ,2, +field_71184_b,otherPlayerMPPosRotationIncrements,2, +field_71185_c,otherPlayerMPX,2, +field_71186_a,isItemInUse,2, +field_71280_D,buildLimit,2,Maximum build height. +field_71281_E,lastSentPacketID,2, +field_71282_F,lastSentPacketSize,2, +field_71283_G,lastReceivedID,2, +field_71284_A,pvpEnabled,2,Indicates whether PvP is active on the server or not. +field_71285_B,allowFlight,2,Determines if flight is allowed or not. +field_71286_C,motd,2,The server MOTD string. +field_71287_L,worldName,2, +field_71288_M,isDemo,2, +field_71289_N,enableBonusChest,2, +field_71290_O,worldIsBeingDeleted,2,"If true, there is no need to save chunks or stop the server, because that is already being done." +field_71291_H,lastReceivedSize,2, +field_71292_I,serverKeyPair,2, +field_71293_J,serverOwner,2,Username of the server owner (for integrated servers) +field_71294_K,folderName,2, +field_71295_T,startProfiling,2, +field_71296_Q,serverIsRunning,2, +field_71297_P,texturePack,2, +field_71298_S,userMessage,2, +field_71299_R,timeOfLastWarning,2,"Set when warned for ""Can't keep up"", which triggers again after 15 seconds." +field_71300_f,sentPacketCountArray,2, +field_71301_g,sentPacketSizeArray,2, +field_71302_d,currentTask,2,The task the server is currently working on(and will output on outputPercentRemaining). +field_71303_e,percentDone,2,The percentage of the current task finished so far. +field_71304_b,theProfiler,2, +field_71305_c,worldServers,2,The server world instances. +field_71307_n,usageSnooper,2,The PlayerUsageSnooper instance. +field_71308_o,anvilFile,2, +field_71309_l,mcServer,2,Instance of Minecraft Server. +field_71310_m,anvilConverterForAnvilFile,2, +field_71311_j,tickTimeArray,2, +field_71312_k,timeOfLastDimensionTick,2,Stats are [dimension][tick%100] system.nanoTime is stored. +field_71313_h,receivedPacketCountArray,2, +field_71314_i,receivedPacketSizeArray,2, +field_71315_w,tickCounter,2,Incremented every tick. +field_71316_v,serverStopped,2,Indicates to other classes that the server is safely stopped. +field_71317_u,serverRunning,2,Indicates whether the server is running or not. Set to false to initiate a shutdown. +field_71318_t,serverConfigManager,2,The ServerConfigurationManager instance. +field_71319_s,serverPort,2,The server's port. +field_71320_r,hostname,2,The server's hostname. +field_71321_q,commandManager,2, +field_71322_p,tickables,2,Collection of objects to update every tick. Type: List +field_71323_z,canSpawnNPCs,2, +field_71324_y,canSpawnAnimals,2,True if the server has animals turned on. +field_71325_x,onlineMode,2,True if the server is in online mode. +field_71335_s,guiIsEnabled,2, +field_71336_r,networkThread,2, +field_71337_q,gameType,2, +field_71338_p,canSpawnStructures,2, +field_71339_n,theRConThreadMain,2, +field_71340_o,settings,2, +field_71341_l,pendingCommandList,2, +field_71342_m,theRConThreadQuery,2, +field_71345_q,lanServerPing,2, +field_71346_p,isPublic,2, +field_71347_n,theServerListeningThread,2,Instance of IntegratedServerListenThread. +field_71348_o,isGamePaused,2, +field_71349_l,mc,2,The Minecraft instance. +field_71350_m,theWorldSettings,2, +field_71412_D,mcDataDir,2, +field_71413_E,statFileWriter,2,Stat file writer +field_71414_F,isTakingScreenshot,2,Makes sure it doesn't keep taking screenshots when both buttons are down. +field_71415_G,inGameHasFocus,2,Does the actual gameplay have focus. If so then mouse and keys will effect the player instead of menus. +field_71416_A,sndManager,2, +field_71417_B,mouseHelper,2,Mouse helper instance. +field_71418_C,texturePackList,2,The TexturePackLister used by this instance of Minecraft... +field_71419_L,debugUpdateTime,2,Approximate time (in ms) of last update to debug string +field_71420_M,fpsCounter,2,holds the current fps +field_71421_N,prevFrameTime,2, +field_71422_O,currentServerData,2, +field_71423_H,systemTime,2, +field_71424_I,mcProfiler,2,The profiler instance +field_71425_J,running,2,Set to true to keep the game loop running. Set to false by shutdown() to allow the game loop to exit cleanly. +field_71426_K,debug,2,String that shows the debug information +field_71427_U,usageSnooper,2,Instance of PlayerUsageSnooper. +field_71428_T,timer,2, +field_71429_W,leftClickCounter,2,Mouse left click counter +field_71430_V,downloadResourcesThread,2,Reference to the download resources thread. +field_71431_Q,fullscreen,2, +field_71432_P,theMinecraft,2,Set to 'this' in Minecraft constructor; used by some settings get methods +field_71433_S,crashReporter,2,Instance of CrashReport. +field_71434_R,hasCrashed,2, +field_71435_Y,tempDisplayHeight,2,Display height +field_71436_X,tempDisplayWidth,2,Display width +field_71437_Z,theIntegratedServer,2,Instance of IntegratedServer. +field_71438_f,renderGlobal,2, +field_71439_g,thePlayer,2, +field_71440_d,displayHeight,2, +field_71441_e,theWorld,2, +field_71442_b,playerController,2, +field_71443_c,displayWidth,2, +field_71444_a,memoryReserve,2,A 10MiB preallocation to ensure the heap is reasonably sized. +field_71445_n,isGamePaused,2, +field_71446_o,renderEngine,2,The RenderEngine instance used by Minecraft +field_71447_l,mcCanvas,2, +field_71448_m,hideQuitButton,2,a boolean to hide a Quit button from the main menu +field_71449_j,session,2, +field_71450_k,minecraftUri,2, +field_71451_h,renderViewEntity,2,"The Entity from which the renderer determines the render viewpoint. Currently is always the parent Minecraft class's 'thePlayer' instance. Modification of its location, rotation, or other settings at render time will modify the camera likewise, with the caveat of triggering chunk rebuilds as it moves, making it unsuitable for changing the viewpoint mid-render." +field_71452_i,effectRenderer,2, +field_71453_ak,myNetworkManager,2, +field_71454_w,skipRenderWorld,2,Skip render world +field_71455_al,integratedServerIsRunning,2, +field_71456_v,ingameGUI,2, +field_71457_ai,joinPlayerCounter,2,Join player counter +field_71458_u,guiAchievement,2,Gui achievement +field_71459_aj,isDemo,2, +field_71460_t,entityRenderer,2, +field_71461_s,loadingScreen,2, +field_71462_r,currentScreen,2,The GuiScreen that's being displayed at the moment. +field_71463_am,minecraftDir,2,The working dir (OS specific) for minecraft +field_71464_q,standardGalacticFontRenderer,2, +field_71465_an,debugProfilerName,2,Profiler currently displayed in the debug screen pie chart +field_71466_p,fontRenderer,2,The font renderer used for displaying and measuring text. +field_71467_ac,rightClickDelayTimer,2,"When you place a block, it's set to 6, decremented once per tick, when it's 0, you can place another block." +field_71468_ad,refreshTexturePacksScheduled,2,"Checked in Minecraft's while(running) loop, if true it's set to false and the textures refreshed." +field_71469_aa,saveLoader,2, +field_71470_ab,debugFPS,2,"This is set to fpsCounter every debug screen update, and is shown on the debug screen. It's also sent as part of the usage snooping." +field_71473_z,mcApplet,2, +field_71474_y,gameSettings,2,The game settings that currently hold effect. +field_71475_ae,serverName,2, +field_71476_x,objectMouseOver,2,The ray trace hit that the mouse is over. +field_71477_af,serverPort,2, +field_71478_O,mainFrame,2,"Reference to the main frame, in this case, the applet window itself." +field_71481_b,mc,2,Reference to the Minecraft object. +field_71482_c,mcThread,2,Reference to the Minecraft main thread. +field_71483_a,mcCanvas,2,Reference to the applet canvas. +field_71486_a,theCrashReport,2,Reference to the CrashReport object. +field_71488_a,theCrashReport,2,Reference to the CrashReport object. +field_71490_a,theCrashReport,2,Reference to the CrashReport object. +field_71492_a,theCrashReport,2,Reference to the CrashReport object. +field_71494_a,theCrashReport,2,Reference to the CrashReport object. +field_71496_a,theCrashReport,2,Reference to the CrashReport object. +field_71510_d,crashReportFile,2,File of crash report. +field_71511_b,cause,2,"The Throwable that is the ""cause"" for this crash and Crash Report." +field_71512_c,crashReportSections,2,Holds the keys and values of all crash report sections. +field_71513_a,description,2,Description of the crash report. +field_71533_a,theAdmin,2, +field_71545_a,IPv4Pattern,2, +field_71550_b,startTicks,2,The number of ticks when debugging started. +field_71551_a,startTime,2,Time the debugging started in milliseconds. +field_71561_b,commandSet,2,The set of ICommand objects currently loaded. +field_71562_a,commandMap,2,Map of Strings to the ICommand objects they represent +field_71567_b,allowedCharactersArray,2,Array of the special characters that are allowed in any text drawing of Minecraft. +field_71568_a,allowedCharacters,2,This String have the characters allowed in any text drawing of minecraft. +field_71572_b,posY,2,the y coordinate +field_71573_c,posZ,2,the z coordinate +field_71574_a,posX,2, +field_71576_a,theReportedExceptionCrashReport,2,Instance of CrashReport. +field_71577_f,rotateRight,2,Maps a direction to that to the right of it. +field_71578_g,rotateLeft,2,Maps a direction to that to the left of it. +field_71579_d,facingToDirection,2,Maps a Facing value (3D) to a Direction value (2D). +field_71580_e,rotateOpposite,2,Maps a direction to that opposite of it. +field_71581_b,offsetZ,2, +field_71582_c,directionToFacing,2,Maps a Direction value (2D) to a Facing value (3D). +field_71583_a,offsetX,2, +field_71584_h,bedDirection,2, +field_71585_d,offsetsZForSide,2,gives the offset required for this axis to get the block at that side. +field_71586_b,offsetsXForSide,2,gives the offset required for this axis to get the block at that side. +field_71587_c,offsetsYForSide,2,gives the offset required for this axis to get the block at that side. +field_71588_a,oppositeSide,2,Converts a side to the opposite side. This is the same as XOR'ing it with 1. +field_71589_f,bc_pbe_sha512,2, +field_71590_g,bc_pbe_sha224,2, +field_71591_d,bc_pbe_sha256,2, +field_71592_e,bc_pbe_sha384,2, +field_71593_b,bc_pbe,2, +field_71594_c,bc_pbe_sha1,2, +field_71595_a,bc,2, +field_71596_n,bc_pbe_sha1_pkcs12_aes256_cbc,2, +field_71597_o,bc_pbe_sha256_pkcs12_aes128_cbc,2, +field_71598_l,bc_pbe_sha1_pkcs12_aes128_cbc,2, +field_71599_m,bc_pbe_sha1_pkcs12_aes192_cbc,2, +field_71600_j,bc_pbe_sha256_pkcs5,2, +field_71601_k,bc_pbe_sha256_pkcs12,2, +field_71602_h,bc_pbe_sha1_pkcs5,2, +field_71603_i,bc_pbe_sha1_pkcs12,2, +field_71604_q,bc_pbe_sha256_pkcs12_aes256_cbc,2, +field_71605_p,bc_pbe_sha256_pkcs12_aes192_cbc,2, +field_71610_b,cache,2, +field_71611_a,identifier,2, +field_71613_D,digestAlgorithm,2, +field_71614_E,md2,2, +field_71615_F,md4,2, +field_71616_G,md5,2, +field_71617_A,encryptionAlgorithm,2, +field_71618_B,des_EDE3_CBC,2, +field_71619_C,RC2_CBC,2, +field_71620_L,id_hmacWithSHA512,2, +field_71621_M,data,2, +field_71622_N,signedData,2, +field_71623_O,envelopedData,2, +field_71624_H,id_hmacWithSHA1,2, +field_71625_I,id_hmacWithSHA224,2, +field_71626_J,id_hmacWithSHA256,2, +field_71627_K,id_hmacWithSHA384,2, +field_71628_U,pkcs_9_at_unstructuredName,2, +field_71629_T,pkcs_9_at_emailAddress,2, +field_71630_W,pkcs_9_at_messageDigest,2, +field_71631_V,pkcs_9_at_contentType,2, +field_71632_Q,digestedData,2, +field_71633_P,signedAndEnvelopedData,2, +field_71634_S,pkcs_9,2, +field_71635_R,encryptedData,2, +field_71636_Y,pkcs_9_at_counterSignature,2, +field_71637_X,pkcs_9_at_signingTime,2, +field_71638_Z,pkcs_9_at_challengePassword,2, +field_71639_f,sha1WithRSAEncryption,2, +field_71640_g,srsaOAEPEncryptionSET,2, +field_71641_d,md4WithRSAEncryption,2, +field_71642_e,md5WithRSAEncryption,2, +field_71643_b,rsaEncryption,2, +field_71644_c,md2WithRSAEncryption,2, +field_71645_a,pkcs_1,2, +field_71646_n,sha512WithRSAEncryption,2, +field_71647_o,sha224WithRSAEncryption,2, +field_71648_l,sha256WithRSAEncryption,2, +field_71649_m,sha384WithRSAEncryption,2, +field_71650_j,id_pSpecified,2, +field_71651_k,id_RSASSA_PSS,2, +field_71652_h,id_RSAES_OAEP,2, +field_71653_i,id_mgf1,2, +field_71654_w,pbeWithSHA1AndDES_CBC,2, +field_71655_v,pbeWithMD5AndRC2_CBC,2, +field_71656_u,pbeWithMD5AndDES_CBC,2, +field_71657_t,pbeWithMD2AndRC2_CBC,2, +field_71658_s,pbeWithMD2AndDES_CBC,2, +field_71659_r,pkcs_5,2, +field_71660_q,dhKeyAgreement,2, +field_71661_p,pkcs_3,2, +field_71662_z,id_PBKDF2,2, +field_71663_y,id_PBES2,2, +field_71664_x,pbeWithSHA1AndRC2_CBC,2, +field_71665_bw,pbewithSHAAnd40BitRC2_CBC,2, +field_71666_bv,pbeWithSHAAnd40BitRC2_CBC,2, +field_71667_by,id_alg_CMSRC2wrap,2, +field_71668_bx,id_alg_CMS3DESwrap,2, +field_71669_bs,pbeWithSHAAnd3_KeyTripleDES_CBC,2, +field_71670_br,pbeWithSHAAnd40BitRC4,2, +field_71671_bu,pbeWithSHAAnd128BitRC2_CBC,2, +field_71672_bt,pbeWithSHAAnd2_KeyTripleDES_CBC,2, +field_71673_bn,secretBag,2, +field_71674_bo,safeContentsBag,2, +field_71675_bp,pkcs_12PbeIds,2, +field_71676_bq,pbeWithSHAAnd128BitRC4,2, +field_71677_bj,keyBag,2, +field_71678_bk,pkcs8ShroudedKeyBag,2, +field_71679_bl,certBag,2, +field_71680_bm,crlBag,2, +field_71681_bf,id_spq_ets_uri,2, +field_71682_bg,id_spq_ets_unotice,2, +field_71683_bh,pkcs_12,2, +field_71684_bi,bagtypes,2, +field_71685_bb,id_aa_sigPolicyId,2, +field_71686_bc,id_aa_commitmentType,2, +field_71687_bd,id_aa_signerLocation,2, +field_71688_be,id_aa_otherSigCert,2, +field_71689_aZ,id_aa_ets_certCRLTimestamp,2, +field_71690_aY,id_aa_ets_escTimeStamp,2, +field_71691_aR,id_aa_ets_signerAttr,2, +field_71692_aQ,id_aa_ets_signerLocation,2, +field_71693_aT,id_aa_ets_contentTimestamp,2, +field_71694_aS,id_aa_ets_otherSigCert,2, +field_71695_aV,id_aa_ets_revocationRefs,2, +field_71696_aU,id_aa_ets_certificateRefs,2, +field_71697_aX,id_aa_ets_revocationValues,2, +field_71698_aW,id_aa_ets_certValues,2, +field_71699_aI,id_aa_contentReference,2, +field_71700_aJ,id_aa_encrypKeyPref,2, +field_71701_aK,id_aa_signingCertificate,2, +field_71702_aL,id_aa_signingCertificateV2,2, +field_71703_aM,id_aa_contentIdentifier,2, +field_71704_aN,id_aa_signatureTimeStampToken,2, +field_71705_aO,id_aa_ets_sigPolicyId,2, +field_71706_aP,id_aa_ets_commitmentType,2, +field_71707_aA,id_cti_ets_proofOfDelivery,2, +field_71708_aB,id_cti_ets_proofOfSender,2, +field_71709_aC,id_cti_ets_proofOfApproval,2, +field_71710_aD,id_cti_ets_proofOfCreation,2, +field_71711_aE,id_aa,2, +field_71712_aF,id_aa_receiptRequest,2, +field_71713_aG,id_aa_contentHint,2, +field_71714_aH,id_aa_msgSigDigest,2, +field_71715_az,id_cti_ets_proofOfReceipt,2, +field_71716_ay,id_cti_ets_proofOfOrigin,2, +field_71717_ba,id_aa_ets_archiveTimestamp,2, +field_71718_at,id_ct_TSTInfo,2, +field_71719_as,id_ct_authData,2, +field_71720_ar,id_ct,2, +field_71721_aq,sMIMECapabilitiesVersions,2, +field_71722_ax,id_cti,2, +field_71723_aw,id_ct_timestampedData,2, +field_71724_av,id_ct_authEnvelopedData,2, +field_71725_au,id_ct_compressedData,2, +field_71726_ak,sdsiCertificate,2, +field_71727_al,crlTypes,2, +field_71728_ai,certTypes,2, +field_71729_aj,x509Certificate,2, +field_71730_ao,preferSignedData,2, +field_71731_ap,canNotDecryptAny,2, +field_71732_am,x509Crl,2, +field_71733_an,id_alg_PWRI_KEK,2, +field_71734_ac,pkcs_9_at_signingDescription,2, +field_71735_ad,pkcs_9_at_extensionRequest,2, +field_71736_aa,pkcs_9_at_unstructuredAddress,2, +field_71737_ab,pkcs_9_at_extendedCertificateAttributes,2, +field_71738_ag,pkcs_9_at_localKeyId,2, +field_71739_ah,x509certType,2, +field_71740_ae,pkcs_9_at_smimeCapabilities,2, +field_71741_af,pkcs_9_at_friendlyName,2, +field_71743_a,theDecitatedServer,2,Reference to the DecitatedServer object. +field_71748_d,connections,2, +field_71749_b,isListening,2,Whether the network listener object is listening. +field_71750_c,mcServer,2,Reference to the MinecraftServer object. +field_71757_g,myServerListenThread,2, +field_71758_d,theMemoryConnection,2, +field_71760_c,netMemoryConnection,2, +field_71763_c,theServerListenThread,2,Instance of ServerListenThread. +field_71771_f,myNetworkListenThread,2, +field_71772_g,myServerAddress,2, +field_71773_d,connectionCounter,2, +field_71774_e,myServerSocket,2, +field_71775_b,pendingConnections,2, +field_71776_c,recentConnections,2,This map stores a list of InetAddresses and the last time which they connected at +field_71778_h,myPort,2, +field_71781_b,parameters,2, +field_71782_a,iv,2, +field_71784_a,key,2, +field_71787_b,strength,2, +field_71788_a,random,2, +field_71796_f,pgpCFB,2, +field_71797_d,cipher,2, +field_71798_e,partialBlockOkay,2, +field_71799_b,bufOff,2, +field_71800_c,forEncryption,2, +field_71801_a,buf,2, +field_71809_f,encrypting,2, +field_71810_d,blockSize,2, +field_71811_e,cipher,2, +field_71812_b,cfbV,2, +field_71813_c,cfbOutV,2, +field_71814_a,IV,2, +field_71824_f,T2,2, +field_71825_g,T3,2, +field_71826_d,T0,2, +field_71827_e,T1,2, +field_71828_b,Si,2, +field_71829_c,rcon,2, +field_71830_a,S,2, +field_71831_n,C0,2, +field_71832_o,C1,2, +field_71833_l,ROUNDS,2, +field_71834_m,WorkingKey,2, +field_71835_j,Tinv2,2, +field_71836_k,Tinv3,2, +field_71837_h,Tinv0,2, +field_71838_i,Tinv1,2, +field_71839_r,forEncryption,2, +field_71840_q,C3,2, +field_71841_p,C2,2, +field_71844_b,strength,2, +field_71845_a,random,2, +field_71938_D,lavaStill,2,Stationary lava source block +field_71939_E,sand,2, +field_71940_F,gravel,2, +field_71941_G,oreGold,2, +field_71942_A,waterMoving,2, +field_71943_B,waterStill,2, +field_71944_C,lavaMoving,2, +field_71945_L,sponge,2, +field_71946_M,glass,2, +field_71947_N,oreLapis,2, +field_71948_O,blockLapis,2, +field_71949_H,oreIron,2, +field_71950_I,oreCoal,2, +field_71951_J,wood,2, +field_71952_K,leaves,2, +field_71953_U,railDetector,2, +field_71954_T,railPowered,2, +field_71955_W,web,2, +field_71956_V,pistonStickyBase,2, +field_71957_Q,sandStone,2, +field_71958_P,dispenser,2, +field_71959_S,bed,2, +field_71960_R,music,2, +field_71961_Y,deadBush,2, +field_71962_X,tallGrass,2, +field_71963_Z,pistonBase,2, +field_71964_f,soundGravelFootstep,2, +field_71965_g,soundGrassFootstep,2, +field_71966_d,soundPowderFootstep,2, +field_71967_e,soundWoodFootstep,2, +field_71968_b,unlocalizedName,2,The unlocalized name of this block. +field_71969_a,displayOnCreativeTab,2,"used as foreach item, if item.tab = current tab, display it on the screen" +field_71970_n,opaqueCubeLookup,2,An array of 4096 booleans corresponding to the result of the isOpaqueCube() method for each block ID +field_71971_o,lightOpacity,2,How much light is subtracted for going through this block +field_71972_l,soundSandFootstep,2, +field_71973_m,blocksList,2,List of ly/ff (BlockType) containing the already registered blocks. +field_71974_j,soundGlassFootstep,2, +field_71975_k,soundClothFootstep,2, +field_71976_h,soundStoneFootstep,2, +field_71977_i,soundMetalFootstep,2, +field_71978_w,cobblestone,2, +field_71979_v,dirt,2, +field_71980_u,grass,2, +field_71981_t,stone,2, +field_71982_s,useNeighborBrightness,2,Flag if block ID should use the brightest neighbor light value as its own +field_71984_q,lightValue,2,Amount of light emitted +field_71985_p,canBlockGrass,2,Array of booleans that tells if a block can grass +field_71986_z,bedrock,2, +field_71987_y,sapling,2, +field_71988_x,planks,2, +field_71989_cb,blockHardness,2,Indicates how many hits it takes to break a block. +field_71990_ca,blockID,2,ID of the block. +field_71991_bz,waterlily,2, +field_71992_bw,stairsBrick,2, +field_71993_bv,fenceGate,2, +field_71994_by,mycelium,2, +field_71995_bx,stairsStoneBrick,2, +field_71996_bs,pumpkinStem,2, +field_71997_br,melon,2, +field_71998_bu,vine,2, +field_71999_bt,melonStem,2, +field_72000_bn,mushroomCapBrown,2, +field_72001_bo,mushroomCapRed,2, +field_72002_bp,fenceIron,2, +field_72003_bq,thinGlass,2, +field_72004_bj,lockedChest,2,"April fools secret locked chest, only spawns on new chunks on 1st April." +field_72005_bk,trapdoor,2, +field_72006_bl,silverfish,2, +field_72007_bm,stoneBrick,2, +field_72008_bf,pumpkinLantern,2, +field_72009_bg,cake,2, +field_72010_bh,redstoneRepeaterIdle,2, +field_72011_bi,redstoneRepeaterActive,2, +field_72012_bb,netherrack,2, +field_72013_bc,slowSand,2, +field_72014_bd,glowStone,2, +field_72015_be,portal,2,The purple teleport blocks inside the obsidian circle +field_72016_cq,slipperiness,2,Determines how much velocity is maintained while moving on top of this block +field_72017_co,blockParticleGravity,2, +field_72018_cp,blockMaterial,2,Block material definition. +field_72019_cm,maxZ,2,maximum Z for the block bounds (local coordinates) +field_72020_cn,stepSound,2,Sound of stepping on the block +field_72021_ck,maxX,2,maximum X for the block bounds (local coordinates) +field_72022_cl,maxY,2,maximum Y for the block bounds (local coordinates) +field_72023_ci,minY,2,minimum Y for the block bounds (local coordinates) +field_72024_cj,minZ,2,minimum Z for the block bounds (local coordinates) +field_72025_cg,isBlockContainer,2,true if the Block contains a Tile Entity +field_72026_ch,minX,2,minimum X for the block bounds (local coordinates) +field_72027_ce,enableStats,2,"If this field is true, the block is counted for statistics (mined or placed)" +field_72028_cf,needsRandomTick,2,Flags whether or not this block is of a type that needs random ticking. Ref-counted by ExtendedBlockStorage in order to broadly cull a chunk from the random chunk update list for efficiency's sake. +field_72029_cc,blockResistance,2,Indicates the blocks resistance to explosions. +field_72030_cd,blockConstructorCalled,2,set to true when Block's constructor is called through the chain of super()'s. Note: Never used +field_72031_aZ,fence,2, +field_72032_aY,jukebox,2, +field_72033_bA,netherBrick,2, +field_72034_aR,stoneButton,2, +field_72035_aQ,torchRedstoneActive,2, +field_72036_aT,ice,2, +field_72037_aS,snow,2, +field_72038_aV,cactus,2, +field_72039_aU,blockSnow,2, +field_72040_aX,reed,2, +field_72041_aW,blockClay,2, +field_72042_aI,signWall,2, +field_72043_aJ,lever,2, +field_72044_aK,pressurePlateStone,2, +field_72045_aL,doorIron,2, +field_72046_aM,pressurePlatePlanks,2, +field_72047_aN,oreRedstone,2, +field_72048_aO,oreRedstoneGlowing,2, +field_72049_aP,torchRedstoneIdle,2, +field_72050_aA,tilledField,2, +field_72051_aB,furnaceIdle,2, +field_72052_aC,furnaceBurning,2, +field_72053_aD,signPost,2, +field_72054_aE,doorWood,2, +field_72055_aF,ladder,2, +field_72056_aG,rail,2, +field_72057_aH,stairsCobblestone,2, +field_72058_az,crops,2, +field_72060_ay,workbench,2, +field_72061_ba,pumpkin,2, +field_72062_bU,tripWire,2, +field_72063_at,stairsWoodOak,2, +field_72064_bT,tripWireSource,2, +field_72065_as,mobSpawner,2, +field_72066_bS,enderChest,2, +field_72067_ar,fire,2, +field_72068_bR,oreEmerald,2, +field_72069_aq,torchWood,2, +field_72070_bY,stairsWoodJungle,2, +field_72071_ax,blockDiamond,2, +field_72072_bX,stairsWoodBirch,2, +field_72073_aw,oreDiamond,2, +field_72074_bW,stairsWoodSpruce,2, +field_72075_av,redstoneWire,2, +field_72076_bV,blockEmerald,2, +field_72077_au,chest,2, +field_72078_bL,redstoneLampIdle,2, +field_72079_ak,stoneSingleSlab,2,stoneSingleSlab +field_72080_bM,redstoneLampActive,2, +field_72081_al,brick,2, +field_72082_bJ,whiteStone,2,The rock found in The End. +field_72083_ai,blockIron,2, +field_72084_bK,dragonEgg,2, +field_72085_aj,stoneDoubleSlab,2,stoneDoubleSlab +field_72086_bP,cocoaPlant,2, +field_72087_ao,cobblestoneMossy,2, +field_72088_bQ,stairsSandStone,2, +field_72089_ap,obsidian,2, +field_72090_bN,woodDoubleSlab,2, +field_72091_am,tnt,2, +field_72092_bO,woodSingleSlab,2, +field_72093_an,bookShelf,2, +field_72094_bD,netherStalk,2, +field_72095_ac,pistonMoving,2, +field_72096_bE,enchantmentTable,2, +field_72097_ad,plantYellow,2, +field_72098_bB,netherFence,2, +field_72099_aa,pistonExtension,2, +field_72100_bC,stairsNetherBrick,2, +field_72101_ab,cloth,2, +field_72102_bH,endPortal,2, +field_72103_ag,mushroomRed,2, +field_72104_bI,endPortalFrame,2, +field_72105_ah,blockGold,2, +field_72106_bF,brewingStand,2, +field_72107_ae,plantRed,2, +field_72108_bG,cauldron,2, +field_72109_af,mushroomBrown,2, +field_72119_a,isSticky,2,This pistons is the sticky one? +field_72123_a,headTexture,2,The texture for the 'head' of the piston. Sticky or normal. +field_72129_b,redstoneUpdateInfoCache,2,Map of ArrayLists of RedstoneUpdateInfo. Key of map is World. +field_72130_a,torchActive,2,Whether the redstone torch is currently active or not. +field_72131_c,graphicsLevel,2,"Used to determine how to display leaves based on the graphics level. May also be used in rendering for transparency, not sure." +field_72135_b,adjacentTreeBlocks,2, +field_72136_a,LEAF_TYPES,2, +field_72142_a,woodType,2,The type of tree this log came from. +field_72152_a,woodType,2,The type of tree this block came from. +field_72155_a,silverfishStoneTypes,2,Block names that can be a silverfish stone. +field_72157_b,modelBlock,2,The block that is used as model for the stair. +field_72158_c,modelBlockMetadata,2, +field_72163_b,canDropItself,2,"If this field is true, the pane block drops itself when destroyed (like the iron fences), otherwise, it's just destroyed (like glass panes)" +field_72164_a,sideTextureIndex,2,Holds the texture index of the side of the pane (the thin lateral side) +field_72166_a,powered,2,Whether this lamp block is the powered version. +field_72174_b,blocksNeedingUpdate,2, +field_72175_a,wiresProvidePower,2,"When false, power transmission methods do not look at other redstone wires. Used internally during updateCurrentStrength." +field_72178_a,glowing,2, +field_72186_a,isPowered,2,Power related rails have this field at true. +field_72188_a,STONE_BRICK_TYPES,2, +field_72189_a,SAND_STONE_TYPES,2, +field_72192_a,fallInstantly,2,Do blocks fall instantly to where they stop or do they fall over time +field_72194_a,triggerMobType,2,The mob type that can trigger this pressure plate. +field_72197_a,mushroomType,2,"The mushroom type. 0 for brown, 1 for red." +field_72212_b,isOptimalFlowDirection,2,Indicates whether the flow direction is optimal. Each array index corresponds to one of the four cardinal directions. +field_72213_c,flowCost,2,The estimated cost to flow in a given direction from the current point. Each array index corresponds to one of the four cardinal directions. +field_72214_a,numAdjacentSources,2,Number of horizontally adjacent liquid source blocks. Diagonal doesn't count. Only source blocks of the same liquid as the block using the field are counted. +field_72218_a,blockType,2,Boolean used to seperate different states of blocks +field_72221_b,repeaterState,2,The states in which the redstone repeater blocks can be. +field_72222_c,isRepeaterPowered,2,Tells whether the repeater is powered or not +field_72223_a,repeaterTorchOffset,2,The offsets for the two torches in redstone repeater blocks. +field_72230_a,footBlockToHeadBlockMap,2,Maps the foot-of-bed block to the head-of-bed block. +field_72242_a,isDoubleSlab,2, +field_72243_a,woodType,2,The type of tree this slab came from. +field_72244_a,blockStepTypes,2,The list of the types of step blocks. +field_72245_a,localFlag,2, +field_72257_b,abilityToCatchFire,2,This is an array indexed by block ID the larger the number in the array the more likely a block type will catch fires +field_72258_a,chanceToEncourageFire,2,The chance this block will encourage nearby blocks to catch on fire +field_72267_a,fruitType,2,Defines if it is a Melon or a Pumpkin that the stem is producing. +field_72270_a,WOOD_TYPES,2, +field_72275_a,bossDefeated,2,true if the enderdragon has been killed - allows end portal blocks to be created in the end +field_72278_b,isFreestanding,2,Whether this is a freestanding sign or a wall-mounted sign +field_72279_a,signEntityClass,2, +field_72284_a,random,2, +field_72287_b,isActive,2,"True if this is an active furnace, false if idle" +field_72288_c,keepFurnaceInventory,2,"This flag is used to prevent the furnace inventory to be dropped upon block removal, is used internally when the furnace block changes from idle to active and vice-versa." +field_72289_a,furnaceRand,2,Is the random generator used by furnace to drop the inventory contents in random directions. +field_72293_a,random,2, +field_72294_a,rand,2, +field_72301_f,numCleans,2,Number of times this Pool has been cleaned +field_72302_d,nextPoolIndex,2,Next index to use when adding a Pool Entry. +field_72303_e,maxPoolIndex,2,Largest index reached by this Pool (can be reset to 0 upon calling cleanPool) +field_72304_b,numEntriesToRemove,2,Number of Pool entries to remove when cleanPool is called maxNumCleans times. +field_72305_c,listAABB,2,List of AABB stored in this Pool +field_72306_a,maxNumCleans,2,"Maximum number of times the pool can be ""cleaned"" before the list is shrunk" +field_72307_f,hitVec,2,The vector position of the hit +field_72308_g,entityHit,2,The hit entity +field_72309_d,blockZ,2,z coordinate of the block ray traced against +field_72310_e,sideHit,2,"Which side was hit. If its -1 then it went the full length of the ray trace. Bottom = 0, Top = 1, East = 2, West = 3, North = 4, South = 5." +field_72311_b,blockX,2,x coordinate of the block ray traced against +field_72312_c,blockY,2,y coordinate of the block ray traced against +field_72313_a,typeOfHit,2,"What type of ray trace hit was this? 0 = block, 1 = entity" +field_72334_f,maxZ,2, +field_72335_g,theAABBLocalPool,2,ThreadLocal AABBPool +field_72336_d,maxX,2, +field_72337_e,maxY,2, +field_72338_b,minY,2, +field_72339_c,minZ,2, +field_72340_a,minX,2, +field_72346_f,resetCount,2, +field_72347_d,nextFreeSpace,2, +field_72348_e,maximumSizeSinceLastTruncation,2, +field_72349_b,minimumSize,2, +field_72350_c,vec3Cache,2,items at and above nextFreeSpace are assumed to be available +field_72351_a,truncateArrayResetThreshold,2, +field_72400_f,mcServer,2,Reference to the MinecraftServer object. +field_72401_g,bannedPlayers,2, +field_72402_d,viewDistance,2, +field_72403_e,dateFormat,2, +field_72404_b,playerEntityList,2,A list of player entities that exist on this server. +field_72405_c,maxPlayers,2,The maximum number of players that can be connected at a time. +field_72407_n,commandsAllowedForAll,2,True if all players are allowed to use commands (cheats). +field_72408_o,playerPingIndex,2,"index into playerEntities of player to ping, updated every tick; currently hardcoded to max at 200 players" +field_72409_l,whiteListEnforced,2,Server setting to only allow OPs and whitelisted players to join the server. +field_72410_m,gameType,2, +field_72411_j,whiteListedPlayers,2,The Set of all whitelisted players. +field_72412_k,playerNBTManagerObj,2,Reference to the PlayerNBTManager object. +field_72413_h,bannedIPs,2, +field_72414_i,ops,2,A set containing the OPs. +field_72416_e,hostPlayerData,2,"Holds the NBT data for the host player's save file, so this can be written to level.dat." +field_72422_f,whiteList,2, +field_72423_e,opsList,2, +field_72428_a,server,2, +field_72447_d,myVec3LocalPool,2, +field_72448_b,yCoord,2,Y coordinate of Vec3D +field_72449_c,zCoord,2,Z coordinate of Vec3D +field_72450_a,xCoord,2,X coordinate of Vec3D +field_72451_a,theDecitatedServer,2,Instance of the DecitatedServer. +field_72534_f,mcServer,2,Reference to the MinecraftServer object. +field_72535_g,connectionTimer,2, +field_72536_d,verifyToken,2,The 4 byte verify token read from a Packet252SharedKey +field_72537_e,rand,2,The Random object used to generate serverId hex strings. +field_72538_b,myTCPConnection,2, +field_72539_c,connectionComplete,2, +field_72541_j,loginServerId,2,server ID that is randomly generated by this login handler. +field_72542_k,sharedKey,2,Secret AES key obtained from the client's Packet252SharedKey +field_72543_h,clientUsername,2, +field_72554_f,disconnected,2,True if kicked or disconnected from the server. +field_72555_g,netManager,2,Reference to the NetworkManager object. +field_72556_d,currentServerMaxPlayers,2, +field_72557_e,rand,2,RNG. +field_72558_b,mapStorage,2, +field_72559_c,playerInfoList,2,An ArrayList of GuiPlayerInfo (includes all the players' GuiPlayerInfo on the current server) +field_72561_j,doneLoadingTerrain,2,"True if the client has finished downloading terrain and may spawn. Set upon receipt of a player position packet, reset upon respawning." +field_72562_k,playerInfoMap,2,A HashMap of all player names and their player information objects +field_72563_h,mc,2,Reference to the Minecraft object. +field_72564_i,worldClient,2, +field_72571_f,currentTicks,2,incremented each tick +field_72572_g,ticksForFloatKick,2,player is kicked if they float for over 80 ticks without flying enabled +field_72573_d,mcServer,2,Reference to the MinecraftServer object. +field_72574_e,playerEntity,2,Reference to the EntityPlayerMP object. +field_72575_b,netManager,2,The underlying network manager for this server handler. +field_72576_c,connectionClosed,2,This is set to true whenever a player disconnects from the server. +field_72578_n,creativeItemCreationSpamThresholdTally,2, +field_72579_o,lastPosX,2,The last known x position for this connection. +field_72580_l,ticksOfLastKeepAlive,2, +field_72581_m,chatSpamThresholdCount,2, +field_72582_j,keepAliveTimeSent,2, +field_72583_k,randomGenerator,2, +field_72585_i,keepAliveRandomID,2, +field_72587_r,hasMoved,2,is true when the player has moved since his last movement packet +field_72588_q,lastPosZ,2,The last known z position for this connection. +field_72589_p,lastPosY,2,The last known y position for this connection. +field_72590_a,loginHandler,2,The login handler that spawned this thread. +field_72595_f,requestIdAsString,2,The request ID stored as a String +field_72596_d,requestId,2,A client-provided request ID associated with this query. +field_72597_e,challengeValue,2,A unique string of bytes used to verify client auth +field_72598_b,timestamp,2,The creation timestamp for this auth +field_72599_c,randomChallenge,2,A random challenge +field_72600_a,queryThread,2,The RConThreadQuery that this is probably an inner class of +field_72614_f,serverSocketList,2,A list of registered ServerSockets +field_72616_e,socketList,2,A list of registered DatagramSockets +field_72617_b,server,2,Reference to the IServer object. +field_72618_c,rconThread,2,Thread for this runnable class +field_72619_a,running,2,"True if the Thread is running, false otherwise" +field_72629_g,lastAuthCheckTime,2,The time of the last client auth check +field_72630_n,buffer,2,A buffer for incoming DatagramPackets +field_72631_o,incomingPacket,2,Storage for incoming DatagramPackets +field_72632_l,worldName,2,The name of the currently loaded world +field_72633_m,querySocket,2,The remote socket querying the server +field_72634_j,maxPlayers,2,The maximum number of players allowed on the server +field_72635_k,serverMotd,2,The current server message of the day +field_72636_h,queryPort,2,The RCon query port +field_72637_i,serverPort,2,Port the server is running on +field_72638_v,lastQueryResponseTime,2,The time of the last query response sent +field_72639_u,output,2,The RConQuery output stream +field_72640_t,time,2,"The time that this RConThreadQuery was constructed, from (new Date()).getTime()" +field_72641_s,queryClients,2,A map of SocketAddress objects to RConThreadQueryAuth objects +field_72642_r,serverHostname,2,The hostname of the running server +field_72643_q,queryHostname,2,The hostname of this query server +field_72647_g,rconPort,2,Port RCon is running on +field_72648_l,clientThreads,2,A map of client addresses to their running Threads +field_72649_j,serverSocket,2,The RCon ServerSocket. +field_72650_k,rconPassword,2,The RCon password +field_72651_h,serverPort,2,Port the server is running on +field_72652_i,hostname,2,Hostname RCon is running on +field_72657_g,loggedIn,2,"True if the client has succefssfully logged into the RCon, otherwise false" +field_72658_j,rconPassword,2,The RCon password +field_72659_h,clientSocket,2,The client's Socket connection +field_72660_i,buffer,2,A buffer for incoming Socket data +field_72666_a,hexDigits,2,Translation array of decimal to hex digits +field_72673_b,output,2,ByteArrayOutputStream wrapper +field_72674_a,byteArrayOutput,2,Output stream +field_72679_b,stepSoundVolume,2, +field_72680_c,stepSoundPitch,2, +field_72681_a,stepSoundName,2, +field_72696_f,xzDirectionsConst,2,"x, z direction vectors: east, south, west, north" +field_72697_d,chunkWatcherWithPlayers,2,"contains a PlayerInstance for every chunk they can see. the ""player instance"" cotains a list of all players who can also that chunk" +field_72698_e,playerViewRadius,2,Number of chunks the server sends to the client. Valid 3<=x<=15. In server.properties. +field_72699_b,players,2,players in the current instance +field_72700_c,playerInstances,2,A map of chunk position (two ints concatenated into a long) to PlayerInstance +field_72701_a,theWorldServer,2, +field_72737_D,maxBlockZ,2,Maximum block Z +field_72738_E,damagedBlocks,2,Stores blocks currently being broken. Key is entity ID of the thing doing the breaking. Value is a DestroyBlockProgress +field_72739_F,renderDistance,2, +field_72740_G,renderEntitiesStartupCounter,2,Render entities startup counter (init value=2) +field_72741_A,minBlockZ,2,Minimum block Z +field_72742_B,maxBlockX,2,Maximum block X +field_72743_C,maxBlockY,2,Maximum block Y +field_72744_L,renderersBeingClipped,2,How many renderers are being clipped by the frustrum this frame +field_72745_M,renderersBeingOccluded,2,How many renderers are being occluded this frame +field_72746_N,renderersBeingRendered,2,How many renderers are actually being rendered this frame +field_72747_O,renderersSkippingRenderPass,2,How many renderers are skipping rendering due to not having a render pass this frame +field_72748_H,countEntitiesTotal,2,Count entities total +field_72749_I,countEntitiesRendered,2,Count entities rendered +field_72750_J,countEntitiesHidden,2,Count entities hidden +field_72751_K,renderersLoaded,2,How many renderers are loaded this frame that try to be rendered +field_72752_Q,worldRenderersCheckIndex,2,World renderers check index +field_72753_P,dummyRenderInt,2,Dummy render int +field_72754_S,allRenderLists,2,All render lists (fixed length 4) +field_72755_R,glRenderLists,2,List of OpenGL lists for the current render pass +field_72756_f,prevSortZ,2,Previous Z position when the renderers were sorted. (Once the distance moves more than 4 units they will be resorted) +field_72757_g,frustumCheckOffset,2,The offset used to determine if a renderer is one of the sixteenth that are being updated this frame +field_72758_d,prevSortX,2,Previous x position when the renderers were sorted. (Once the distance moves more than 4 units they will be resorted) +field_72759_e,prevSortY,2,Previous y position when the renderers were sorted. (Once the distance moves more than 4 units they will be resorted) +field_72760_b,dummyBuf50k,2,Dummy buffer (50k) not used +field_72761_c,occlusionResult,2,Occlusion query result +field_72762_a,tileEntities,2, +field_72763_n,renderChunksTall,2, +field_72764_o,renderChunksDeep,2, +field_72765_l,worldRenderers,2, +field_72766_m,renderChunksWide,2, +field_72767_j,worldRenderersToUpdate,2, +field_72768_k,sortedWorldRenderers,2, +field_72769_h,theWorld,2, +field_72770_i,renderEngine,2,The RenderEngine instance used by RenderGlobal +field_72771_w,glSkyList,2,OpenGL sky list +field_72772_v,starGLCallList,2,The star GL Call list +field_72773_u,cloudTickCounter,2,counts the cloud render updates. Used with mod to stagger some updates +field_72774_t,occlusionEnabled,2,Is occlusion testing enabled +field_72775_s,glOcclusionQueryBase,2,OpenGL occlusion query base +field_72776_r,globalRenderBlocks,2,Global render blocks +field_72777_q,mc,2,A reference to the Minecraft object. +field_72778_p,glRenderListBase,2,OpenGL render lists base +field_72779_z,minBlockY,2,Minimum block Y +field_72780_y,minBlockX,2,Minimum block X +field_72781_x,glSkyList2,2,OpenGL sky list 2 +field_72782_b,theWorldServer,2,The WorldServer object. +field_72783_a,mcServer,2,Reference to the MinecraftServer object. +field_72792_d,entityViewDistance,2, +field_72793_b,trackedEntities,2,"List of tracked entities, used for iteration operations on tracked entities." +field_72794_c,trackedEntityIDs,2, +field_72795_a,theWorld,2, +field_72814_d,hasExtendedLevels,2,set by !chunk.getAreLevelsEmpty +field_72815_e,worldObj,2,Reference to the World object. +field_72816_b,chunkZ,2, +field_72817_c,chunkArray,2, +field_72818_a,chunkX,2, +field_72982_D,villageCollectionObj,2, +field_72983_E,villageSiegeObj,2, +field_72984_F,theProfiler,2, +field_72985_G,spawnHostileMobs,2,indicates if enemies are spawned or not +field_72986_A,worldInfo,2,"holds information about a world (size on disk, time, spawn point, seed, ...)" +field_72987_B,findingSpawnPoint,2,Boolean that is set to true when trying to find a spawn point +field_72988_C,mapStorage,2, +field_72989_L,scanningTileEntities,2, +field_72990_M,ambientTickCountdown,2,number of ticks until the next random ambients play +field_72992_H,spawnPeacefulMobs,2,A flag indicating whether we should spawn peaceful mobs. +field_72993_I,activeChunkSet,2,Positions to update +field_72994_J,lightUpdateBlockList,2,"is a temporary list of blocks and light values used when updating light levels. Holds up to 32x32x32 blocks (the maximum influence of a light source.) Every element is a packed bit value: 0000000000LLLLzzzzzzyyyyyyxxxxxx. The 4-bit L is a light level used when darkening blocks. 6-bit numbers x, y and z represent the block's offset from the original block, plus 32 (i.e. value of 31 would mean a -1 offset" +field_72995_K,isRemote,2,"This is set to true for client worlds, and false for server worlds." +field_72996_f,loadedEntityList,2,A list of all Entities in all currently-loaded chunks +field_72997_g,unloadedEntityList,2, +field_72998_d,collidingBoundingBoxes,2, +field_72999_e,scheduledUpdatesAreImmediate,2,boolean; if true updates scheduled by scheduleBlockUpdate happen immediately +field_73000_b,entityRemoval,2,Entities marked for removal. +field_73001_c,cloudColour,2, +field_73002_a,addedTileEntityList,2, +field_73003_n,prevRainingStrength,2, +field_73004_o,rainingStrength,2, +field_73005_l,updateLCG,2,"Contains the current Linear Congruential Generator seed for block updates. Used with an A value of 3 and a C value of 0x3c6ef35f, producing a highly planar series of values ill-suited for choosing random blocks in a 16x128x16 field." +field_73006_m,DIST_HASH_MAGIC,2,magic number used to generate fast random numbers for 3d distribution within a chunk +field_73007_j,weatherEffects,2,a list of all the lightning entities +field_73008_k,skylightSubtracted,2,How much light is subtracted from full daylight +field_73009_h,loadedTileEntityList,2,A list of all TileEntities in all currently-loaded chunks +field_73010_i,playerEntities,2,Array list of players in the world. +field_73011_w,provider,2,The WorldProvider instance that World uses. +field_73012_v,rand,2,RNG for World. +field_73013_u,difficultySetting,2,Option > Difficulty setting (0 - 3) +field_73016_r,lastLightningBolt,2,Set to 2 whenever a lightning bolt is generated in SSP. Decrements if > 0 in updateWeather(). Value appears to be unused. +field_73017_q,thunderingStrength,2, +field_73018_p,prevThunderingStrength,2, +field_73019_z,saveHandler,2, +field_73020_y,chunkProvider,2,Handles chunk operations and caching +field_73021_x,worldAccesses,2, +field_73032_d,entityList,2,"Contains all entities for this client, both spawned and non-spawned." +field_73033_b,clientChunkProvider,2,The ChunkProviderClient instance +field_73034_c,entityHashSet,2,The hash set of entities handled by this client. Uses the entity's ID as the hash set's key. +field_73035_a,sendQueue,2,The packets that need to be sent to the server. +field_73036_L,entitySpawnQueue,2,Contains all entities for this client that were not spawned due to a non-present chunk. The game will attempt to spawn up to 10 pending entities with each subsequent tick until the spawn queue is empty. +field_73037_M,mc,2, +field_73038_N,previousActiveChunkSet,2, +field_73058_d,canNotSave,2,"set by CommandServerSave{all,Off,On}" +field_73059_b,theChunkProviderServer,2, +field_73061_a,mcServer,2, +field_73062_L,theEntityTracker,2, +field_73063_M,thePlayerManager,2, +field_73065_O,pendingTickListEntries,2,All work to do in future ticks. +field_73066_T,entityIdMap,2,An IntHashMap of entity IDs (integers) to their Entity objects. +field_73067_Q,blockEventCache,2,Double buffer of ServerBlockEventList[] for holding pending BlockEventData's +field_73068_P,allPlayersSleeping,2,is false if there are no players +field_73069_S,bonusChestContent,2, +field_73070_R,blockEventCacheIndex,2,"The index into the blockEventCache; either 0, or 1, toggled in sendBlockEventPackets where all BlockEvent are applied locally and send to clients." +field_73071_a,demoWorldSettings,2, +field_73072_L,demoWorldSeed,2, +field_73086_f,partiallyDestroyedBlockX,2, +field_73087_g,partiallyDestroyedBlockY,2, +field_73088_d,isDestroyingBlock,2,True if the player is destroying a block +field_73089_e,initialDamage,2, +field_73090_b,thisPlayerMP,2,The EntityPlayerMP object that this object is connected to. +field_73091_c,gameType,2, +field_73092_a,theWorld,2,The world object that this object is connected to. +field_73094_o,durabilityRemainingOnBlock,2, +field_73095_l,posY,2, +field_73096_m,posZ,2, +field_73097_j,receivedFinishDiggingPacket,2,"Set to true when the ""finished destroying block"" packet is received but the block wasn't fully damaged yet. The block will not be destroyed while this is false." +field_73098_k,posX,2, +field_73099_h,partiallyDestroyedBlockZ,2, +field_73100_i,curblockDamage,2, +field_73103_d,demoTimeExpired,2, +field_73111_d,partialBlockZ,2, +field_73112_e,partialBlockProgress,2,damage ranges from 1 to 10. -1 causes the client to delete the partial block renderer. +field_73113_b,partialBlockX,2, +field_73114_c,partialBlockY,2, +field_73115_a,miningPlayerEntId,2,"entity ID of the player associated with this partially destroyed Block. Used to identify the Blocks in the client Renderer, max 1 per player on a server" +field_73126_f,lastScaledZPosition,2, +field_73127_g,lastYaw,2, +field_73128_d,lastScaledXPosition,2, +field_73129_e,lastScaledYPosition,2, +field_73130_b,blocksDistanceThreshold,2, +field_73131_c,updateFrequency,2,check for sync when ticks % updateFrequency==0 +field_73132_a,myEntity,2, +field_73133_n,playerEntitiesUpdated,2, +field_73134_o,trackingPlayers,2,Holds references to all the players that are currently receiving position updates for this entity. +field_73135_l,motionZ,2, +field_73136_m,ticks,2, +field_73137_j,motionX,2, +field_73138_k,motionY,2, +field_73139_h,lastPitch,2, +field_73140_i,lastHeadMotion,2, +field_73141_v,ridingEntity,2, +field_73142_u,ticksSinceLastForcedTeleport,2,"every 400 ticks a full teleport packet is sent, rather than just a ""move me +x"" command, so that position remains fully synced." +field_73143_t,sendVelocityUpdates,2, +field_73144_s,isDataInitialized,2,set to true on first sendLocationToClients +field_73145_r,posZ,2, +field_73146_q,posY,2, +field_73147_p,posX,2, +field_73161_b,random,2, +field_73163_a,worldObj,2, +field_73167_f,noiseData3,2, +field_73168_g,noiseData4,2, +field_73169_d,noiseData1,2, +field_73170_e,noiseData2,2, +field_73171_b,netherNoiseGen7,2, +field_73172_c,genNetherBridge,2, +field_73173_a,netherNoiseGen6,2, +field_73174_n,netherrackExculsivityNoiseGen,2,Determines whether something other than nettherack can be generated at a location +field_73175_o,worldObj,2,Is the world that the nether is getting generated. +field_73176_l,netherNoiseGen3,2, +field_73177_m,slowsandGravelNoiseGen,2,Determines whether slowsand or gravel can be generated at a location +field_73178_j,netherNoiseGen1,2,A NoiseGeneratorOctaves used in generating nether terrain +field_73179_k,netherNoiseGen2,2, +field_73180_h,noiseData5,2, +field_73181_i,hellRNG,2, +field_73182_t,netherCaveGenerator,2, +field_73183_s,netherrackExclusivityNoise,2,Holds the noise used to determine whether something other than netherrack can be generated at a location +field_73184_r,gravelNoise,2, +field_73185_q,slowsandNoise,2,Holds the noise used to determine whether slowsand can be generated at a location +field_73186_p,noiseField,2, +field_73190_f,noiseData4,2, +field_73191_g,noiseData5,2, +field_73192_d,noiseData2,2, +field_73193_e,noiseData3,2, +field_73194_b,noiseGen5,2, +field_73195_c,noiseData1,2, +field_73196_a,noiseGen4,2, +field_73197_n,densities,2, +field_73198_o,biomesForGeneration,2,The biomes that are used to generate the chunk +field_73199_l,noiseGen3,2, +field_73200_m,endWorld,2, +field_73201_j,noiseGen1,2, +field_73202_k,noiseGen2,2, +field_73204_i,endRNG,2, +field_73208_f,noise2,2,A double array that hold terrain noise from noiseGen2 +field_73209_g,noise5,2,A double array that hold terrain noise from noiseGen5 +field_73210_d,noise3,2,A double array that hold terrain noise from noiseGen3 +field_73211_e,noise1,2,A double array that hold terrain noise +field_73212_b,noiseGen6,2,A NoiseGeneratorOctaves used in generating terrain +field_73213_c,mobSpawnerNoise,2, +field_73214_a,noiseGen5,2,A NoiseGeneratorOctaves used in generating terrain +field_73215_n,noiseGen3,2,A NoiseGeneratorOctaves used in generating terrain +field_73216_o,noiseGen4,2,A NoiseGeneratorOctaves used in generating terrain +field_73217_l,noiseGen1,2,A NoiseGeneratorOctaves used in generating terrain +field_73218_m,noiseGen2,2,A NoiseGeneratorOctaves used in generating terrain +field_73220_k,rand,2,RNG. +field_73221_h,noise6,2,A double array that holds terrain noise from noiseGen6 +field_73222_i,parabolicField,2,Used to store the 5x5 parabolic field that is used during terrain generation. +field_73223_w,mineshaftGenerator,2,Holds Mineshaft Generator +field_73224_v,villageGenerator,2,Holds Village Generator +field_73225_u,strongholdGenerator,2,Holds Stronghold Generator +field_73226_t,caveGenerator,2, +field_73227_s,stoneNoise,2, +field_73228_r,noiseArray,2,Holds the overall noise array used in chunk generation +field_73229_q,mapFeaturesEnabled,2,are map structures going to be generated (e.g. strongholds) +field_73230_p,worldObj,2,Reference to the World object. +field_73231_z,biomesForGeneration,2,The biomes that are used to generate the chunk +field_73232_y,ravineGenerator,2,Holds ravine generator +field_73233_x,scatteredFeatureGenerator,2, +field_73235_d,worldObj,2,Reference to the World object. +field_73236_b,chunkMapping,2,The mapping between ChunkCoordinates and Chunks that ChunkProviderClient maintains. +field_73237_c,chunkListing,2,"This may have been intended to be an iterable version of all currently loaded chunks (MultiplayerChunkCache), with identical contents to chunkMapping's values. However it is never actually added to." +field_73238_a,blankChunk,2,The completely empty chunk used by ChunkProviderClient when field_73236_b doesn't contain the requested coordinates. +field_73244_f,loadedChunkHashMap,2, +field_73245_g,loadedChunks,2, +field_73246_d,currentChunkProvider,2, +field_73247_e,currentChunkLoader,2, +field_73248_b,chunksToUnload,2,"used by unload100OldestChunks to iterate the loadedChunkHashMap for unload (underlying assumption, first in, first out)" +field_73249_c,defaultEmptyChunk,2, +field_73250_a,loadChunkOnProvideRequest,2,"if this is false, the defaultEmptyChunk will be returned by the provider" +field_73251_h,worldObj,2, +field_73261_d,locationOfBlockChange,2, +field_73262_e,numberOfTilesToUpdate,2, +field_73263_b,playersInChunk,2, +field_73264_c,chunkLocation,2,note: this is final +field_73265_a,thePlayerManager,2, +field_73286_b,clientPacketIdList,2,List of the client's packet IDs. +field_73287_r,isChunkDataPacket,2,"Only true for Packet51MapChunk, Packet52MultiBlockChange, Packet53BlockChange and Packet59ComplexEntity. Used to separate them into a different send queue." +field_73288_c,serverPacketIdList,2,List of the server's packet IDs. +field_73289_q,sentSize,2, +field_73290_p,sentID,2,Assumed to be sequential by the profiler. +field_73291_a,packetClassToIdMap,2,Maps packet class to packet id +field_73292_n,receivedID,2, +field_73293_o,receivedSize,2, +field_73294_l,packetIdToClassMap,2,Maps packet id to packet class +field_73295_m,creationTimeMillis,2,the system time in milliseconds when this packet was created. +field_73296_b,vehicleEntityId,2, +field_73297_a,entityId,2, +field_73298_b,yPosition,2,Y coordinate of spawn. +field_73299_c,zPosition,2,Z coordinate of spawn. +field_73300_a,xPosition,2,X coordinate of spawn. +field_73301_a,time,2,The world time in minutes. +field_73305_b,verifyToken,2, +field_73306_c,sharedKey,2,Secret AES key decrypted from sharedSecret via the server's private RSA key +field_73307_a,sharedSecret,2, +field_73308_d,signLines,2, +field_73309_b,yPosition,2, +field_73310_c,zPosition,2, +field_73311_a,xPosition,2, +field_73312_b,collectorEntityId,2,The entity that picked up the one from the ground. +field_73313_a,collectedEntityId,2,The entity on the ground that was picked up. +field_73314_f,pitch,2,Pitch of the entity. +field_73315_d,zPosition,2,Z position of the entity. +field_73316_e,yaw,2,Yaw of the entity. +field_73317_b,xPosition,2,X position of the entity. +field_73318_c,yPosition,2,Y position of the entity. +field_73319_a,entityId,2,ID of the entity. +field_73325_d,posZ,2,Z position of the block +field_73326_e,destroyedStage,2,How far destroyed this block is +field_73327_b,posX,2,X posiiton of the block +field_73328_c,posY,2,Y position of the block +field_73329_a,entityId,2,Entity breaking the block +field_73330_d,actionType,2,The type of update to perform on the tile entity. +field_73331_e,customParam1,2,Custom parameter 1 passed to the tile entity on update. +field_73332_b,yPosition,2,The Y position of the tile entity to update. +field_73333_c,zPosition,2,The Z position of the tile entity to update. +field_73334_a,xPosition,2,The X position of the tile entity to update. +field_73335_f,blockId,2,The block ID this action is set for. +field_73336_d,instrumentType,2,"1=Double Bass, 2=Snare Drum, 3=Clicks / Sticks, 4=Bass Drum, 5=Harp" +field_73337_e,pitch,2,The pitch of the note (between 0-24 inclusive where 0 is the lowest and 24 is the highest). +field_73338_b,yLocation,2, +field_73339_c,zLocation,2, +field_73340_a,xLocation,2, +field_73341_d,face,2,Punched face of the block. +field_73342_e,status,2,"Status of the digging (started, ongoing, broken)." +field_73343_b,yPosition,2,Block Y position. +field_73344_c,zPosition,2,Block Z position. +field_73345_a,xPosition,2,Block X position. +field_73357_f,walkSpeed,2, +field_73358_d,isCreativeMode,2,"Used to determine if creative mode is enabled, and therefore if items should be depleted on usage" +field_73359_e,flySpeed,2, +field_73360_b,isFlying,2,Indicates whether the player is flying or not. +field_73361_c,allowFlying,2,Whether or not to allow the player to fly when they double jump. +field_73362_a,disableDamage,2,Disables player damage. +field_73363_b,isConnected,2,Byte that tells whether the player is connected. +field_73364_c,ping,2, +field_73365_a,playerName,2,The player's name. +field_73366_b,state,2,"1=sneak, 2=normal" +field_73367_a,entityId,2,Player ID. +field_73368_a,entityId,2,ID of the entity to be destroyed on the client. +field_73369_d,gameType,2, +field_73370_e,terrainType,2, +field_73371_b,difficulty,2,"The difficulty setting. 0 through 3 for peaceful, easy, normal, hard. The client always sends 1." +field_73372_c,worldHeight,2,Defaults to 128 +field_73373_a,respawnDimension,2, +field_73374_b,effectId,2,The ID of the effect which is being removed from an entity. +field_73375_a,entityId,2,The ID of the entity which an effect is being removed from. +field_73379_b,publicKey,2, +field_73380_c,verifyToken,2, +field_73381_a,serverId,2, +field_73382_b,headRotationYaw,2, +field_73383_a,entityId,2, +field_73384_b,itemStack,2, +field_73385_a,slot,2, +field_73386_a,id,2,The block/item id to be equipped. +field_73387_d,motionZ,2, +field_73388_b,motionX,2, +field_73389_c,motionY,2, +field_73390_a,entityId,2, +field_73392_b,metadata,2, +field_73393_a,entityId,2, +field_73394_b,experienceTotal,2,The total experience points. +field_73395_c,experienceLevel,2,The experience level. +field_73396_a,experience,2,The current experience bar points. +field_73398_b,slot,2,"Equipment slot: 0=held, 1-4=armor slot" +field_73399_c,itemSlot,2,The item in the slot format (an ItemStack) +field_73400_a,entityID,2,Entity ID of the object. +field_73409_f,xOffset,2,The offset from xPosition where the actual click took place +field_73410_g,yOffset,2,The offset from yPosition where the actual click took place +field_73411_d,direction,2,The offset to use for block/item placement. +field_73412_e,itemStack,2, +field_73413_b,yPosition,2, +field_73414_c,zPosition,2, +field_73415_a,xPosition,2, +field_73416_h,zOffset,2,The offset from zPosition where the actual click took place +field_73417_d,duration,2, +field_73418_b,effectId,2, +field_73419_c,effectAmplifier,2,The effect's amplifier. +field_73420_a,entityId,2, +field_73421_d,type,2,The new block type for the block. +field_73422_e,metadata,2,Metadata of the block. +field_73423_b,yPosition,2,Block Y position. +field_73424_c,zPosition,2,Block Z position. +field_73425_a,xPosition,2,Block X position. +field_73426_b,itemStack,2,Stack of items +field_73427_a,windowId,2,The id of window which items are being sent for. 0 for player inventory. +field_73428_d,slotsCount,2, +field_73429_b,inventoryType,2, +field_73430_c,windowTitle,2, +field_73431_a,windowId,2, +field_73432_a,windowId,2, +field_73433_b,shortWindowId,2, +field_73434_c,accepted,2, +field_73435_a,windowId,2,The id of the window that the action occurred in. +field_73436_b,uniqueID,2,Contains a unique ID for the item that this packet will be populating. +field_73437_c,itemData,2,Contains a buffer of arbitrary data with which to populate an individual item in the world. +field_73438_a,itemID,2, +field_73439_f,holdingShift,2, +field_73440_d,action,2,"A unique number for the action, used for transaction handling" +field_73441_e,itemStack,2,Item stack for inventory +field_73442_b,inventorySlot,2,The clicked slot (-999 is outside of inventory) +field_73443_c,mouseClick,2,1 when right-clicking and otherwise 0 +field_73444_a,window_Id,2,The id of the window which was clicked. 0 for player inventory. +field_73445_b,enchantment,2,"The position of the enchantment on the enchantment table window, starting with 0 as the topmost one." +field_73446_a,windowId,2, +field_73447_a,forceRespawn,2,"0 sent to a netLoginHandler starts the server, 1 sent to NetServerHandler forces a respawn" +field_73448_d,size,2,The size of the arrays. +field_73450_b,zPosition,2,Chunk Z position. +field_73451_c,metadataArray,2,The metadata for each block changed. +field_73452_a,xPosition,2,Chunk X position. +field_73455_d,serverPort,2, +field_73456_b,username,2, +field_73457_c,serverHost,2, +field_73458_a,protocolVersion,2, +field_73464_d,chatColours,2, +field_73465_e,gameDifficulty,2, +field_73466_b,renderDistance,2, +field_73467_c,chatVisisble,2, +field_73468_a,language,2, +field_73469_b,animate,2, +field_73470_a,entityId,2,"The entity ID, in this case it's the player ID." +field_73471_b,amount,2, +field_73472_a,statisticId,2, +field_73474_a,text,2,Sent by the client containing the text to be autocompleted. Sent by the server with possible completions separated by null (two bytes in UTF-16) +field_73476_b,message,2,The message being sent. +field_73477_c,isServer,2, +field_73478_a,maxChatLength,2,Maximum number of characters allowed in chat string in each packet. +field_73490_f,velocityX,2, +field_73491_g,velocityY,2, +field_73492_d,yPosition,2,The Y position of the entity. +field_73493_e,zPosition,2,The Z position of the entity. +field_73494_b,type,2,The type of mob. +field_73495_c,xPosition,2,The X position of the entity. +field_73496_a,entityId,2,The entity ID. +field_73497_j,pitch,2,The pitch of the entity. +field_73498_k,headYaw,2,The yaw of the entity's head. +field_73499_h,velocityZ,2, +field_73500_i,yaw,2,The yaw of the entity. +field_73501_t,metadata,2, +field_73502_s,metaData,2,"Indexed metadata for Mob, terminated by 0x7F" +field_73503_f,title,2, +field_73504_d,zPosition,2, +field_73505_e,direction,2, +field_73506_b,xPosition,2, +field_73507_c,yPosition,2, +field_73508_a,entityId,2, +field_73510_f,rotation,2,The player's rotation. +field_73511_g,pitch,2,The player's pitch. +field_73512_d,yPosition,2,The player's Y position. +field_73513_e,zPosition,2,The player's Z position. +field_73514_b,name,2,The player's name. +field_73515_c,xPosition,2,The player's X position. +field_73516_a,entityId,2,"The entity ID, in this case it's the player ID." +field_73517_j,metadataWatchableObjects,2, +field_73518_h,currentItem,2,The current item the player is holding. +field_73519_i,metadata,2, +field_73520_f,speedY,2,Not sent if the thrower entity ID is 0. The speed of this fireball along the Y axis. +field_73521_g,speedZ,2,Not sent if the thrower entity ID is 0. The speed of this fireball along the Z axis. +field_73522_d,zPosition,2,The Z position of the object. +field_73523_e,speedX,2,Not sent if the thrower entity ID is 0. The speed of this fireball along the X axis. +field_73524_b,xPosition,2,The X position of the object. +field_73525_c,yPosition,2,The Y position of the object. +field_73526_a,entityId,2,Entity ID of the object. +field_73527_h,type,2,The type of object. +field_73528_i,throwerEntityId,2,"0 if not a fireball. Otherwise, this is the Entity ID of the thrower." +field_73529_d,posZ,2, +field_73530_e,xpValue,2,The Orbs Experience points value. +field_73531_b,posX,2, +field_73532_c,posY,2, +field_73533_a,entityId,2,Entity ID for the XP Orb +field_73534_d,posZ,2, +field_73535_e,isLightningBolt,2, +field_73536_b,posX,2, +field_73537_c,posY,2, +field_73538_a,entityID,2, +field_73539_f,pitch,2,The player's pitch rotation. +field_73540_g,onGround,2,True if the client is on the ground. +field_73541_d,stance,2,The player's stance. (boundingBox.minY) +field_73542_e,yaw,2,The player's yaw rotation. +field_73543_b,yPosition,2,The player's Y position. +field_73544_c,zPosition,2,The player's Z position. +field_73545_a,xPosition,2,The player's X position. +field_73546_h,moving,2,Boolean set to true if the player is moving. +field_73547_i,rotating,2,Boolean set to true if the player is rotating. +field_73548_f,pitch,2,The Y axis rotation. +field_73549_g,rotating,2,Boolean set to true if the entity is rotating. +field_73550_d,zPosition,2,The Z axis relative movement. +field_73551_e,yaw,2,The X axis rotation. +field_73552_b,xPosition,2,The X axis relative movement. +field_73553_c,yPosition,2,The Y axis relative movement. +field_73554_a,entityId,2,The ID of this entity. +field_73555_f,difficultySetting,2,The difficulty setting byte. +field_73556_g,worldHeight,2,Defaults to 128 +field_73557_d,gameType,2, +field_73558_e,dimension,2,"-1: The Nether, 0: The Overworld, 1: The End" +field_73559_b,terrainType,2, +field_73560_c,hardcoreMode,2, +field_73561_a,clientEntityId,2,The player's entity ID +field_73562_h,maxPlayers,2,The maximum players. +field_73563_d,posY,2, +field_73564_e,posZ,2, +field_73565_b,auxData,2, +field_73566_c,posX,2, +field_73567_a,sfxID,2, +field_73574_f,pitch,2,63 is 100%. Can be more. +field_73575_d,effectZ,2,Effect Z multiplied by 8 +field_73576_e,volume,2,1 is 100%. Can be more. +field_73577_b,effectX,2,Effect X multiplied by 8 +field_73578_c,effectY,2,Effect Y multiplied by 8 +field_73579_a,soundName,2,e.g. step.grass +field_73585_g,dataLength,2,total size of the compressed data +field_73586_d,chunkPosZ,2, +field_73587_e,chunkDataBuffer,2,The compressed chunk data buffer +field_73589_c,chunkPostX,2, +field_73591_h,chunkDataNotCompressed,2, +field_73592_a,randomId,2, +field_73595_f,chunkData,2,"The transmitted chunk data, decompressed." +field_73596_g,compressedChunkData,2,The compressed chunk data +field_73597_d,yChMax,2,"The y-position of the highest chunk Section in the transmitted chunk, in chunk coordinates." +field_73598_e,includeInitialize,2,Whether to initialize the Chunk before applying the effect of the Packet51MapChunk. +field_73599_b,zCh,2,"The z-position of the transmitted chunk, in chunk coordinates." +field_73600_c,yChMin,2,"The y-position of the lowest chunk Section in the transmitted chunk, in chunk coordinates." +field_73601_a,xCh,2,"The x-position of the transmitted chunk, in chunk coordinates." +field_73602_h,tempLength,2,The length of the compressed chunk data byte array. +field_73603_i,temp,2,A temporary storage for the compressed chunk data byte array. +field_73604_b,targetEntity,2,The entity the player is interacting with +field_73605_c,isLeftClick,2,Seems to be true when the player is pointing at an entity and left-clicking and false when right-clicking. +field_73606_a,playerEntityId,2,The entity of the player (ignored by the server) +field_73610_f,playerVelocityX,2,X velocity of the player being pushed by the explosion +field_73611_g,playerVelocityY,2,Y velocity of the player being pushed by the explosion +field_73612_d,explosionSize,2, +field_73613_e,chunkPositionRecords,2, +field_73614_b,explosionY,2, +field_73615_c,explosionZ,2, +field_73616_a,explosionX,2, +field_73617_h,playerVelocityZ,2,Z velocity of the player being pushed by the explosion +field_73618_b,eventType,2,"0: Invalid bed, 1: Rain starts, 2: Rain stops, 3: Game mode changed." +field_73619_c,gameMode,2,"When reason==3, the game mode to set. See EnumGameType for a list of values." +field_73620_a,clientMessage,2,The client prints clientMessage[eventType] to chat when this packet is received. +field_73621_d,bedZ,2, +field_73623_b,bedX,2, +field_73624_c,bedY,2, +field_73625_a,entityID,2, +field_73626_b,entityStatus,2,"2 for hurt, 3 for dead" +field_73627_a,entityId,2, +field_73628_b,length,2,Length of the data to be read +field_73629_c,data,2,Any data +field_73630_a,channel,2,Name of the 'channel' used to send data +field_73631_a,reason,2,Displayed to the client when the connection terminates. +field_73632_b,progressBar,2,"Which of the progress bars that should be updated. (For furnaces, 0 = progress arrow, 1 = fire icon)" +field_73633_c,progressBarValue,2,"The value of the progress bar. The maximum values vary depending on the progress bar. Presumably the values are specified as in-game ticks. Some progress bar values increase, while others decrease. For furnaces, 0 is empty, full progress arrow = about 180, full fire icon = about 250)" +field_73634_a,windowId,2,The id of the window that the progress bar is in. +field_73635_b,itemSlot,2,Slot that should be updated +field_73636_c,myItemStack,2,Item stack +field_73637_a,windowId,2,The window which is being updated. 0 for player inventory +field_73638_b,food,2, +field_73639_c,foodSaturation,2,Players logging on get a saturation of 5.0. Eating food increases the saturation as well as the food bar. +field_73640_a,healthMP,2,Variable used for incoming health packets +field_73661_d,updateTime,2, +field_73662_b,y,2, +field_73663_c,z,2, +field_73664_a,x,2, +field_73672_b,properties,2, +field_73673_c,associatedFile,2, +field_73674_a,logger,2,Reference to the logger. +field_73692_f,banEndDate,2, +field_73693_g,reason,2, +field_73694_d,banStartDate,2, +field_73695_e,bannedBy,2, +field_73697_c,username,2, +field_73698_a,dateFormat,2, +field_73701_b,sender,2, +field_73702_a,command,2,The command string. +field_73713_b,fileName,2, +field_73714_c,listActive,2,set to true if not singlePlayer +field_73715_a,theBanList,2, +field_73716_a,theServer,2,Instance of MinecraftServer. +field_73725_b,mc,2,A reference to the Minecraft object. +field_73726_c,currentlyDisplayedText,2,The text currently displayed (i.e. the argument to the last call to printText or func_73722_d) +field_73735_i,zLevel,2, +field_73741_f,id,2,ID for this control. +field_73742_g,enabled,2,"True if this control is enabled, false to disable." +field_73743_d,yPosition,2,The y position of this control. +field_73744_e,displayString,2,The string displayed on this control. +field_73745_b,height,2,Button height in pixels +field_73746_c,xPosition,2,The x position of this control. +field_73747_a,width,2,Button width in pixels +field_73748_h,drawButton,2,Hides the button completely if false. +field_73749_j,mirrored,2,"If true, then next page button will face to right, if false then next page button will face to left." +field_73750_l,idFloat,2,Additional ID for this slider control. +field_73751_j,sliderValue,2,The value of this slider control. +field_73752_k,dragging,2,Is this slider control being dragged. +field_73754_j,enumOptions,2, +field_73755_j,nextPage,2,"True for pointing right (next page), false for pointing left (previous page)." +field_73770_b,sentMessages,2,A list of messages previously sent through the chat GUI +field_73771_c,chatLines,2,Chat lines to be displayed in the chat box +field_73772_a,mc,2,The Minecraft instance. +field_73775_b,mc,2, +field_73776_a,particles,2, +field_73809_f,text,2,Have the current text beign edited on the textbox. +field_73810_g,maxStringLength,2, +field_73811_d,width,2,The width of this text field. +field_73812_e,height,2, +field_73813_b,xPos,2, +field_73814_c,yPos,2, +field_73815_a,fontRenderer,2,Have the font renderer from GuiScreen to render the textbox text into the screen. +field_73816_n,lineScrollOffset,2,The current character index that should be used as start of the rendered text. +field_73817_o,cursorPosition,2, +field_73818_l,isFocused,2,"If this value is true along isEnabled, keyTyped will process the keys." +field_73819_m,isEnabled,2,"If this value is true along isFocused, keyTyped will process the keys." +field_73820_j,enableBackgroundDrawing,2, +field_73821_k,canLoseFocus,2,if true the textbox can lose focus by clicking elsewhere on the screen +field_73822_h,cursorCounter,2, +field_73823_s,visible,2,True if this textbox is visible +field_73824_r,disabledColor,2, +field_73825_q,enabledColor,2, +field_73826_p,selectionEnd,2,"other selection position, maybe the same as the cursor" +field_73837_f,updateCounter,2, +field_73838_g,recordPlaying,2,The string specifying which record music is playing +field_73839_d,mc,2, +field_73840_e,persistantChatGUI,2,ChatGUI instance that retains all previous chat data +field_73841_b,itemRenderer,2, +field_73842_c,rand,2, +field_73843_a,prevVignetteBrightness,2,Previous frame vignette brightness (slowly changes by 1% each frame) +field_73844_j,recordIsPlaying,2, +field_73845_h,recordPlayingUpFor,2,How many ticks the record playing message will be displayed +field_73850_f,theAchievement,2,Holds the achievement that will be displayed on the GUI. +field_73851_g,achievementTime,2, +field_73852_d,achievementGetLocalText,2, +field_73853_e,achievementStatName,2, +field_73854_b,achievementWindowWidth,2,Holds the latest width scaled to fit the game window. +field_73855_c,achievementWindowHeight,2,Holds the latest height scaled to fit the game window. +field_73856_a,theGame,2,Holds the instance of the game (Minecraft) +field_73857_j,haveAchiement,2, +field_73858_h,itemRender,2,"Holds a instance of RenderItem, used to draw the achievement icons on screen (is based on ItemStack)" +field_73880_f,width,2,The width of the screen object. +field_73881_g,height,2,The height of the screen object. +field_73882_e,mc,2,Reference to the Minecraft object. +field_73883_a,selectedButton,2,The button that was just pressed. +field_73884_l,guiParticles,2, +field_73885_j,allowUserInput,2, +field_73886_k,fontRenderer,2,The FontRenderer used by GuiScreen +field_73887_h,buttonList,2,A list of all the buttons in this container. +field_73888_d,theChatOptions,2, +field_73889_b,theGuiScreen,2,Instance of GuiScreen. +field_73890_c,theSettings,2,Instance of GameSettings file. +field_73891_a,allScreenChatOptions,2,An array of all EnumOptions which are to do with chat. +field_73899_c,sentHistoryCursor,2,"keeps position of which chat message you will select when you press up, (does not increase for duplicated messages sent immediately after each other)" +field_73900_q,defaultInputFieldText,2,is the text that appears when you press the chat key and the input box appears pre-filled +field_73901_a,inputField,2,Chat entry field +field_73902_p,clickedURI,2,used to pass around the URI to various dialogues and to the host os +field_73908_d,buttonId,2,The ID of the button that has been pressed. +field_73909_b,parentScreen,2,A reference to the screen object that created this. Used for navigating between screens. +field_73910_c,options,2,Reference to the GameSettings object. +field_73911_a,screenTitle,2,The title string that is displayed in the top-center of the screen. +field_73915_D,localizedNewWorldText,2,"E.g. New World, Neue Welt, Nieuwe wereld, Neuvo Mundo" +field_73916_E,worldTypeId,2, +field_73917_F,ILLEGAL_WORLD_NAMES,2,"If the world name is one of these, it'll be surrounded with underscores." +field_73918_d,folderName,2, +field_73919_b,textboxWorldName,2, +field_73920_A,gameModeDescriptionLine1,2,The first line of text describing the currently selected game mode. +field_73921_c,textboxSeed,2, +field_73922_B,gameModeDescriptionLine2,2,The second line of text describing the currently selected game mode. +field_73923_C,seed,2,The current textboxSeed text +field_73924_a,parentGuiScreen,2, +field_73925_n,generateStructures,2, +field_73926_o,commandsAllowed,2, +field_73927_m,gameMode,2,"hardcore', 'creative' or 'survival" +field_73928_w,buttonGenerateStructures,2,The GuiButton in the 'More World Options' screen. Toggles ON/OFF +field_73929_v,moreWorldOptions,2,The GUIButton that you click to get to options like the seed when creating a world. +field_73930_u,buttonGameMode,2,The GUIButton that you click to change game modes. +field_73931_t,moreOptions,2,"True if the extra options (Seed box, structure toggle button, world type button, etc.) are being shown" +field_73932_s,createClicked,2, +field_73933_r,isHardcore,2,"True if and only if gameMode.equals(""hardcore"")" +field_73934_q,bonusItems,2,toggles when GUIButton 7 is pressed +field_73935_p,commandsToggled,2,True iif player has clicked buttonAllowCommands at least once +field_73936_z,buttonAllowCommands,2, +field_73937_y,buttonWorldType,2,The GuiButton in the more world options screen. +field_73938_x,buttonBonusItems,2, +field_73939_d,buttonText2,2,The text shown for the second button in GuiYesNo +field_73940_b,message1,2,First line of text. +field_73941_c,buttonText1,2,The text shown for the first button in GuiYesNo +field_73942_a,parentScreen,2,A reference to the screen object that created this. Used for navigating between screens. +field_73943_n,worldNumber,2,World number to be deleted. +field_73944_m,message2,2,Second line of text. +field_73946_b,copyLinkButtonText,2,Label for the Copy to Clipboard button. +field_73947_a,openLinkWarning,2,Text to warn players from opening unsafe links. +field_73964_d,guiTexturePackSlot,2,the GuiTexturePackSlot that contains all the texture packs and their descriptions +field_73965_b,refreshTimer,2, +field_73966_c,fileLocation,2,the absolute location of this texture pack +field_73967_a,guiScreen,2, +field_73973_d,buttonResetDemo,2, +field_73974_b,updateCounter,2,Counts the number of screen updates. +field_73975_c,splashText,2,The splash message. +field_73976_a,rand,2,The RNG used by the Main Menu Screen. +field_73977_n,viewportTexture,2,Texture allocated for the current viewport of the main menu's panorama background. +field_73978_o,titlePanoramaPaths,2,An array of all the paths to the panorama pictures. +field_73979_m,panoramaTimer,2,"Timer used to rotate the panorama, increases every tick." +field_73980_d,updateCounter,2,Counts the number of screen updates. +field_73981_b,allowedCharacters,2,This String is just a local copy of the characters allowed in text rendering of minecraft. +field_73982_c,entitySign,2,Reference to the sign object. +field_73983_a,screenTitle,2,The title string that is displayed in the top-center of the screen. +field_73984_m,editLine,2,The number of the line that is being edited. +field_73988_b,lines,2,List of lines on the ending poem and credits. +field_73990_a,updateCounter,2,Counts the number of screen updates. +field_73991_d,serverTextField,2, +field_73992_b,guiScreen,2,Needed a change as a local variable was conflicting on construct +field_73993_c,theServerData,2,Instance of ServerData. +field_73995_a,cooldownTimer,2,"The cooldown timer for the buttons, increases every tick and enables all buttons when reaching 20." +field_73996_d,newServerData,2,ServerData to be modified by this GUI +field_73997_b,serverAddress,2, +field_73998_c,serverName,2, +field_73999_a,parentGui,2,This GUI's parent GUI. +field_74000_b,message2,2,Unused class. Would contain a message drawn to the center of the screen. +field_74001_a,message1,2,Unused class. Would contain a message drawn to the center of the screen. +field_74022_d,serverSlotContainer,2,Slot container for the server list +field_74023_b,lock,2,Lock object for use with synchronized() +field_74025_c,parentScreen,2,A reference to the screen object that created this. Used for navigating between screens. +field_74026_B,listofLanServers,2, +field_74027_a,threadsPending,2,Number of outstanding ThreadPollServers threads +field_74028_n,selectedServer,2,Index of the currently selected server +field_74030_m,internetServerList,2, +field_74031_w,theServerData,2,Instance of ServerData. +field_74032_v,lagTooltip,2,This GUI's lag tooltip text or null if no lag icon is being hovered. +field_74033_u,directClicked,2,The 'Direct Connect' button was clicked +field_74034_t,editClicked,2,The 'Edit' button was clicked +field_74035_s,addClicked,2,The 'Add server' button was clicked +field_74036_r,deleteClicked,2,The 'Delete' button was clicked +field_74037_q,buttonDelete,2,The 'Delete' button +field_74038_p,buttonSelect,2,The 'Join Server' button +field_74039_z,ticksOpened,2,How many ticks this Gui is already opened +field_74040_y,localServerFindThread,2, +field_74041_x,localNetworkServerList,2, +field_74044_d,theGameSettings,2,For saving the user's language selection to disk. +field_74045_b,updateTimer,2,"Timer used to update texture packs, decreases every tick and is reset to 20 and updates texture packs upon reaching 0." +field_74046_c,languageList,2,This GUI's language list. +field_74047_a,parentGui,2,This GUI's parent GUI. +field_74048_m,doneButton,2,This GUI's 'Done' button. +field_74049_b,updateCounter,2,Counts the number of screen updates. +field_74050_a,updateCounter2,2,"Also counts the number of updates, not certain as to why yet." +field_74051_d,options,2,Reference to the GameSettings object. +field_74052_b,relevantOptions,2,An array of options that can be changed directly from the options GUI. +field_74053_c,parentScreen,2,A reference to the screen object that created this. Used for navigating between screens. +field_74054_a,screenTitle,2,The title string that is displayed in the top-center of the screen. +field_74055_b,theGuiTextField,2, +field_74056_c,worldName,2, +field_74057_a,parentGuiScreen,2, +field_74074_d,selected,2,True if a world has been selected. +field_74075_b,screenTitle,2,The title string that is displayed in the top-center of the screen. +field_74076_c,dateFormatter,2,simple date formater +field_74077_a,parentScreen,2,A reference to the screen object that created this. Used for navigating between screens. +field_74078_n,saveList,2,The save list for the world selection screen +field_74079_o,worldSlotContainer,2, +field_74080_m,selectedWorld,2,the currently selected world +field_74081_v,buttonRename,2,The rename button in the world selection GUI +field_74082_u,buttonSelect,2,the select button in the world selection gui +field_74083_t,buttonDelete,2,The delete button in the world selection GUI +field_74084_s,deleting,2,set to true if you arein the process of deleteing a world/save +field_74085_r,localizedGameModeText,2,The game mode text that is displayed with each world on the world selection list. +field_74086_q,localizedMustConvertText,2, +field_74087_p,localizedWorldText,2,"E.g. World, Welt, Monde, Mundo" +field_74089_d,gameMode,2,"The currently selected game mode. One of 'survival', 'creative', or 'adventure'" +field_74090_b,buttonAllowCommandsToggle,2, +field_74091_c,buttonGameMode,2, +field_74092_a,parentScreen,2,A reference to the screen object that created this. Used for navigating between screens. +field_74093_m,allowCommands,2,True if 'Allow Cheats' is currently enabled +field_74097_b,snooperGameSettings,2,Instance of GameSettings. +field_74099_p,buttonAllowSnooping,2, +field_74100_a,snooperGuiScreen,2,Instance of GuiScreen. +field_74102_o,snooperList,2, +field_74103_m,snooperTitle,2,The Snooper title. +field_74104_d,is64bit,2,True if the system is 64-bit (using a simple indexOf test on a system property) +field_74105_b,parentGuiScreen,2, +field_74106_c,guiGameSettings,2,GUI game settings +field_74107_a,screenTitle,2,The title string that is displayed in the top-center of the screen. +field_74108_m,videoOptions,2,An array of all of EnumOption's video options. +field_74111_d,mouseY,2,The current mouse y coordinate +field_74112_b,achievementsPaneHeight,2, +field_74113_c,mouseX,2,The current mouse x coordinate +field_74114_a,achievementsPaneWidth,2, +field_74116_o,guiMapX,2,The x position of the achievement map +field_74118_w,isMouseButtonDown,2,Whether the Mouse Button is down or not +field_74119_v,guiMapRight,2,The right y coordinate of the achievement map +field_74120_u,guiMapBottom,2,The bottom x coordinate of the achievement map +field_74121_t,guiMapLeft,2,The left y coordinate of the achievement map +field_74122_s,guiMapTop,2,The top x coordinate of the achievement map +field_74125_p,guiMapY,2,The y position of the achievement map +field_74126_x,statFileWriter,2, +field_74150_d,slotGeneral,2,The slot for general stats. +field_74151_b,statsTitle,2,The title of the stats screen. +field_74152_c,renderItem,2, +field_74153_p,selectedSlot,2,The currently-selected slot. +field_74154_a,parentGui,2, +field_74155_n,slotBlock,2,The slot for block stats. +field_74156_o,statFileWriter,2, +field_74157_m,slotItem,2,The slot for item stats. +field_74166_d,bookModified,2, +field_74167_b,itemstackBook,2, +field_74168_c,bookIsUnsigned,2,Whether the book is signed or can still be edited +field_74169_a,editingPlayer,2,The player editing the book +field_74170_n,updateCount,2,Update ticks since the gui was opened +field_74171_o,bookImageWidth,2, +field_74172_m,editingTitle,2, +field_74173_w,buttonDone,2, +field_74174_v,buttonPreviousPage,2, +field_74175_u,buttonNextPage,2, +field_74176_t,bookTitle,2, +field_74177_s,bookPages,2, +field_74178_r,currPage,2, +field_74179_q,bookTotalPages,2, +field_74180_p,bookImageHeight,2, +field_74181_z,buttonCancel,2, +field_74182_y,buttonFinalize,2, +field_74183_x,buttonSign,2,The GuiButton to sign this book. +field_74193_d,inventorySlots,2,A list of the players inventory slots. +field_74194_b,xSize,2,The X size of the inventory window in pixels. +field_74195_c,ySize,2,The Y size of the inventory window in pixels. +field_74196_a,itemRenderer,2,"Stacks renderer. Icons, stack size, health, etc..." +field_74197_n,guiTop,2,Starting Y position for the Gui. Inconsistent use for Gui backgrounds. +field_74198_m,guiLeft,2,Starting X position for the Gui. Inconsistent use for Gui backgrounds. +field_74200_r,currentRecipeIndex,2, +field_74201_q,previousRecipeButtonIndex,2, +field_74202_p,nextRecipeButtonIndex,2, +field_74203_o,theIMerchant,2,Instance of IMerchant interface. +field_74204_o,furnaceInventory,2, +field_74206_w,bookModel,2,The book model used on the GUI. +field_74207_v,theItemStack,2, +field_74215_y,containerEnchantment,2,ContainerEnchantment object associated with this gui +field_74216_x,rand,2, +field_74217_o,brewingStand,2, +field_74218_q,inventoryRows,2,"window height is calculated with this values, the more rows, the heigher" +field_74219_p,lowerChestInventory,2, +field_74220_o,upperChestInventory,2, +field_74224_p,ySize_lo,2,"y size of the inventory window in pixels. Defined as float, passed as int." +field_74225_o,xSize_lo,2,"x size of the inventory window in pixels. Defined as float, passed as int" +field_74236_u,backupContainerSlots,2,Used to back up the ContainerCreative's inventory slots before filling it with the player's inventory slots for the inventory tab. +field_74237_t,searchField,2, +field_74238_s,wasClicking,2,True if the left mouse button was held down last time drawScreen was called. +field_74239_r,isScrolling,2,True if the scrollbar is being dragged +field_74240_q,currentScroll,2,"Amount scrolled in Creative mode inventory (0 = top, 1 = bottom)" +field_74241_p,selectedTabIndex,2,Currently selected creative inventory tab index. +field_74242_o,inventory,2, +field_74243_b,netClientHandlerWebTextures,2,Initialises Web Textures? +field_74244_a,texturePackName,2,The Texture Pack's name. +field_74246_b,errorDetail,2,The details about the error. +field_74248_a,errorMessage,2,The error message. +field_74258_b,cancelled,2,True if the connection attempt has been cancelled. +field_74259_a,clientHandler,2,A reference to the NetClientHandler. +field_74260_b,updateCounter,2,Counts the number of screen updates. +field_74261_a,netHandler,2,Network object that downloads the terrain data. +field_74262_d,noMoreProgress,2, +field_74263_b,workingMessage,2, +field_74264_c,currentProgress,2, +field_74265_a,progressMessage,2, +field_74267_a,mcServer,2,Reference to the MinecraftServer object. +field_74270_a,mcServer,2,Reference to the MinecraftServer object. +field_74272_a,mcServer,2,Reference to the MinecraftServer object. +field_74274_a,mcServer,2,Reference to the MinecraftServer object. +field_74276_f,lastHRTime,2,"The time reported by the high-resolution clock at the last call of updateTimer(), in seconds" +field_74277_g,lastSyncSysClock,2,"The time reported by the system clock at the last sync, in milliseconds" +field_74278_d,timerSpeed,2,A multiplier to make the timer (and therefore the game) go faster or slower. 0.5 makes the game run at half-speed. +field_74279_e,elapsedPartialTicks,2,"How much time has elapsed since the last tick, in ticks (range: 0.0 - 1.0)." +field_74280_b,elapsedTicks,2,"How many full ticks have turned over since the last call to updateTimer(), capped at 10." +field_74281_c,renderPartialTicks,2,"How much time has elapsed since the last tick, in ticks, for use by display rendering routines (range: 0.0 - 1.0). This field is frozen if the display is paused to eliminate jitter." +field_74282_a,ticksPerSecond,2,The number of timer ticks per second of real time +field_74283_j,timeSyncAdjustment,2,"A ratio used to sync the high-resolution clock to the system clock, updated once per second" +field_74284_h,lastSyncHRClock,2,"The time reported by the high-resolution clock at the last sync, in milliseconds" +field_74286_b,username,2, +field_74287_c,sessionId,2, +field_74295_a,dateFormat,2, +field_74310_D,keyBindChat,2, +field_74311_E,keyBindSneak,2, +field_74312_F,keyBindAttack,2, +field_74313_G,keyBindUseItem,2, +field_74314_A,keyBindJump,2, +field_74315_B,keyBindInventory,2, +field_74316_C,keyBindDrop,2, +field_74317_L,mc,2, +field_74318_M,difficulty,2, +field_74319_N,hideGUI,2, +field_74320_O,thirdPersonView,2, +field_74321_H,keyBindPlayerList,2, +field_74322_I,keyBindPickBlock,2, +field_74323_J,keyBindCommand,2, +field_74324_K,keyBindings,2, +field_74325_U,debugCamEnable,2, +field_74326_T,smoothCamera,2,Smooth Camera Toggle +field_74327_W,debugCamRate,2,Change rate for debug camera +field_74328_V,noclipRate,2,No clipping movement rate +field_74329_Q,showDebugProfilerChart,2, +field_74330_P,showDebugInfo,2,true if debug info should be displayed instead of version +field_74331_S,noclip,2,No clipping for singleplayer +field_74332_R,lastServer,2,The lastServer string. +field_74333_Y,gammaSetting,2, +field_74334_X,fovSetting,2, +field_74335_Z,guiScale,2,GUI scale +field_74336_f,viewBobbing,2, +field_74337_g,anaglyph,2, +field_74338_d,invertMouse,2, +field_74339_e,renderDistance,2, +field_74340_b,soundVolume,2, +field_74341_c,mouseSensitivity,2, +field_74342_a,musicVolume,2, +field_74343_n,chatVisibility,2, +field_74344_o,chatColours,2, +field_74345_l,clouds,2,Clouds flag +field_74346_m,skin,2,The name of the selected texture pack. +field_74347_j,fancyGraphics,2, +field_74348_k,ambientOcclusion,2,Smooth Lighting +field_74349_h,advancedOpengl,2,Advanced OpenGL +field_74350_i,limitFramerate,2, +field_74351_w,keyBindForward,2, +field_74352_v,enableVsync,2, +field_74353_u,fullScreen,2, +field_74354_ai,optionsFile,2, +field_74355_t,snooperEnabled,2, +field_74356_s,serverTextures,2, +field_74357_r,chatOpacity,2, +field_74358_q,chatLinksPrompt,2, +field_74359_p,chatLinks,2, +field_74360_ac,RENDER_DISTANCES,2, +field_74361_ad,DIFFICULTIES,2, +field_74362_aa,particleSetting,2,"Determines amount of particles. 0 = All, 1 = Decreased, 2 = Minimal" +field_74363_ab,language,2,Game settings language +field_74364_ag,PARTICLES,2, +field_74365_ah,LIMIT_FRAMERATES,2,Limit framerate labels +field_74366_z,keyBindRight,2, +field_74367_ae,GUISCALES,2,GUI scale values +field_74368_y,keyBindBack,2, +field_74369_af,CHAT_VISIBILITIES,2, +field_74370_x,keyBindLeft,2, +field_74375_b,deltaY,2,Mouse delta Y this frame +field_74376_c,windowComponent,2, +field_74377_a,deltaX,2,Mouse delta X this frame +field_74385_A,enumFloat,2, +field_74386_B,enumBoolean,2, +field_74387_C,enumString,2, +field_74414_a,enumOptionsMappingHelperArray,2, +field_74417_a,theTcpConnection,2, +field_74421_a,mc,2,Reference to the Minecraft object. +field_74422_a,mcApplet,2,Reference to the MinecraftApplet object. +field_74438_f,shutdownReason,2, +field_74440_d,myNetHandler,2, +field_74441_e,shuttingDown,2,"set to true by {server,network}Shutdown" +field_74442_b,readPacketCache,2, +field_74443_c,pairedConnection,2, +field_74444_a,mySocketAddress,2, +field_74445_h,gamePaused,2, +field_74464_B,chunkDataPacketsDelay,2,Delay for sending pending chunk data packets (as opposed to pending non-chunk data packets) +field_74465_f,isInputBeingDecrypted,2, +field_74466_g,isOutputEncrypted,2, +field_74472_n,isTerminating,2,Whether this network manager is currently terminating (and should ignore further errors). +field_74473_o,readPackets,2,Linked list of packets that have been read and are awaiting processing. +field_74474_l,socketOutputStream,2,The output stream connected to the socket. +field_74475_m,isRunning,2,Whether the network is currently operational. +field_74476_j,remoteSocketAddress,2,The InetSocketAddress of the remote endpoint +field_74477_k,socketInputStream,2,The input stream connected to the socket. +field_74478_h,sendQueueLock,2,The object used for synchronization on the send queue. +field_74479_i,networkSocket,2,The socket used by this network manager. +field_74481_v,terminationReason,2,A String indicating why the network has shutdown. +field_74482_u,readThread,2,The thread used for reading. +field_74483_t,writeThread,2,The thread used for writing. +field_74484_s,isServerTerminating,2,"Whether this server is currently terminating. If this is a client, this is always false." +field_74485_r,theNetHandler,2,A reference to the NetHandler object. +field_74486_q,chunkDataPackets,2,Linked list of packets with chunk data that are awaiting sending. +field_74487_p,dataPackets,2,Linked list of packets awaiting sending. +field_74488_z,sharedKeyForEncryption,2, +field_74489_y,sendQueueByteLength,2,The length in bytes of the packets in both send queues (data and chunkData). +field_74498_a,theTcpConnection,2, +field_74500_a,mc,2,Reference to the Minecraft object. +field_74501_a,theTcpConnection,2, +field_74503_a,mc,2,Reference to the Minecraft object. +field_74504_a,theTcpConnection,2, +field_74511_f,pressTime,2, +field_74512_d,keyCode,2, +field_74513_e,pressed,2,because _303 wanted me to call it that(Caironater) +field_74514_b,hash,2, +field_74515_c,keyDescription,2, +field_74516_a,keybindArray,2, +field_74522_a,colorBuffer,2,Float buffer used to set OpenGL material colors +field_74532_a,mc,2,A reference to the Minecraft object. +field_74534_a,arguments,2,"Arguments that were passed to Minecraft.jar (username, sessionid etc)" +field_74536_a,mc,2,Minecraft instance +field_74537_a,logo,2,BufferedImage containing the Mojang logo. +field_74541_b,lineString,2, +field_74542_c,chatLineID,2,"int value to refer to existing Chat Lines, can be 0 which means unreferrable" +field_74543_a,updateCounterCreated,2,GUI Update Counter value this Line was created at +field_74568_d,lastCharacterWasCarriageReturn,2, +field_74569_b,characterCount,2, +field_74570_c,lineCount,2, +field_74571_a,pushbackReader,2, +field_74577_b,mc,2,A reference to the Minecraft object. +field_74578_c,closing,2,Set to true when Minecraft is closing down. +field_74579_a,resourcesFolder,2,The folder to store the resources in. +field_74580_b,chunkExistFlag,2, +field_74581_c,chunkHasAddSectionFlag,2, +field_74582_a,compressedData,2, +field_74586_f,rotationZ,2,The Z component of the entity's yaw rotation +field_74587_g,rotationYZ,2,The Y component (scaled along the Z axis) of the entity's pitch rotation +field_74588_d,rotationX,2,The X component of the entity's yaw rotation +field_74589_e,rotationXZ,2,The combined X and Z components of the entity's pitch rotation +field_74590_b,objectY,2,The calculated view object Y coordinate +field_74591_c,objectZ,2,The calculated view object Z coordinate +field_74592_a,objectX,2,The calculated view object X coordinate +field_74593_l,objectCoords,2,The computed view object coordinates +field_74594_j,modelview,2,The current GL modelview matrix +field_74595_k,projection,2,The current GL projection matrix +field_74596_h,rotationXY,2,The Y component (scaled along the X axis) of the entity's pitch rotation +field_74597_i,viewport,2,The current GL viewport +field_74598_a,nodeBuilder,2, +field_74601_a,builtStringNode,2, +field_74602_a,builtNode,2, +field_74605_a,elementBuilders,2, +field_74609_a,fieldBuilders,2, +field_74617_a,fields,2, +field_74619_a,elements,2, +field_74620_b,value,2, +field_74621_a,PATTERN,2, +field_74622_d,jsonNodeType,2, +field_74623_b,TRUE,2, +field_74624_c,FALSE,2, +field_74625_a,NULL,2, +field_74627_a,value,2, +field_74631_b,childJsonNodeSelector,2, +field_74632_a,parentJsonNodeSelector,2, +field_74636_a,index,2, +field_74643_a,theFieldName,2,fieldName in the actual Argo source. +field_74662_b,root,2, +field_74663_a,stack,2, +field_74664_b,row,2, +field_74665_a,column,2, +field_74689_a,valueGetter,2, +field_74702_b,failPath,2, +field_74703_a,failedNode,2, +field_74707_a,JSON_FORMATTER,2, +field_74717_b,listenerToJdomAdapter,2, +field_74718_a,fieldBuilder,2, +field_74719_b,listenerToJdomAdapter,2, +field_74720_a,nodeBuilder,2, +field_74721_b,listenerToJdomAdapter,2, +field_74722_a,nodeBuilder,2, +field_74728_b,valueBuilder,2, +field_74729_a,key,2, +field_74730_a,elements,2, +field_74741_a,name,2,The UTF string key used to lookup values. +field_74746_b,tagType,2,The type byte for the tags in the list - they must all be of the same type. +field_74747_a,tagList,2,The array list containing the tags encapsulated in this list. +field_74748_a,data,2,The integer value for the tag. +field_74749_a,intArray,2,The array of saved integers +field_74750_a,data,2,The float value for the tag. +field_74751_a,data,2,The string value for the tag (cannot be empty). +field_74752_a,data,2,The short value for the tag. +field_74753_a,data,2,The long value for the tag. +field_74754_a,byteArray,2,The byte array stored in the tag. +field_74755_a,data,2,The double value for the tag. +field_74756_a,data,2,The byte value for the tag. +field_74784_a,tagMap,2,"The key-value pairs for the tag. Each key is a UTF string, each value is a tag." +field_74790_a,enumJsonNodeTypeMappingArray,2,A mapping helper array for EnumJsonNodeType's values. +field_74791_a,escapedString,2, +field_74801_a,theBouncyCastleProvider,2, +field_74813_d,currentLanguage,2, +field_74814_e,isUnicode,2, +field_74815_b,translateTable,2,Contains all key/value pairs to be translated - is loaded from '/lang/en_US.lang' when the StringTranslate is created. +field_74816_c,languageList,2, +field_74817_a,instance,2,Is the private singleton instance of StringTranslate. +field_74822_f,ASYMMETRIC_GENERIC,2, +field_74823_g,ASYMMETRIC_CIPHERS,2, +field_74824_d,keyInfoConverters,2, +field_74825_e,SYMMETRIC_CIPHERS,2, +field_74826_b,CONFIGURATION,2, +field_74827_c,info,2, +field_74828_a,PROVIDER_NAME,2, +field_74829_h,DIGESTS,2, +field_74831_f,dhThreadSpec,2, +field_74832_d,BC_DH_PERMISSION,2, +field_74833_e,ecThreadSpec,2, +field_74834_b,BC_EC_PERMISSION,2, +field_74835_c,BC_DH_LOCAL_PERMISSION,2, +field_74836_a,BC_EC_LOCAL_PERMISSION,2, +field_74839_a,localizedName,2, +field_74842_b,permissionMask,2, +field_74843_a,actions,2, +field_74845_a,errorObjects,2, +field_74846_d,buf,2, +field_74847_b,theStreamCipher,2, +field_74848_c,oneByte,2, +field_74849_a,theBufferedBlockCipher,2, +field_74853_f,maxBuf,2, +field_74854_g,finalized,2, +field_74855_d,inBuf,2, +field_74856_e,bufOff,2, +field_74857_b,theStreamCipher,2, +field_74858_c,buf,2, +field_74859_a,theBufferedBlockCipher,2, +field_74885_f,coordBaseMode,2,switches the Coordinate System base off the Bounding Box +field_74886_g,componentType,2,The type ID of this component. +field_74887_e,boundingBox,2, +field_74896_a,villagersSpawned,2,The number of villagers that have been spawned in this component. +field_74897_k,startPiece,2,The starting piece of the village. +field_74899_a,averageGroundLevel,2, +field_74901_a,averageGroundLevel,2, +field_74903_a,averageGroundLevel,2, +field_74905_a,averageGroundLevel,2, +field_74907_a,averageGroundLevel,2, +field_74909_b,isTallHouse,2, +field_74910_c,tablePosition,2, +field_74911_a,averageGroundLevel,2, +field_74913_b,isRoofAccessible,2, +field_74914_a,averageGroundLevel,2, +field_74916_b,averageGroundLevel,2, +field_74917_c,hasMadeChest,2, +field_74918_a,villageBlacksmithChestContents,2,List of items that Village's Blacksmith chest can contain. +field_74920_a,averageGroundLevel,2, +field_74922_a,averageGroundLevel,2, +field_74923_b,averageGroundLevel,2, +field_74926_d,structVillagePieceWeight,2, +field_74927_b,inDesert,2,Boolean that determines if the village is in a desert or not. +field_74928_c,terrainType,2,"World terrain type, 0 for normal, 1 for flap map" +field_74929_a,worldChunkMngr,2, +field_74931_h,structureVillageWeightedPieceList,2,"Contains List of all spawnable Structure Piece Weights. If no more Pieces of a type can be spawned, they are removed from this list" +field_74934_a,averageGroundLevel,2, +field_74937_b,scatteredFeatureSizeY,2,The size of the bounding box for this feature in the Y axis +field_74938_c,scatteredFeatureSizeZ,2,The size of the bounding box for this feature in the Z axis +field_74939_a,scatteredFeatureSizeX,2,The size of the bounding box for this feature in the X axis +field_74941_i,itemsToGenerateInTemple,2,List of items to generate in chests of Temples. +field_74942_n,junglePyramidsRandomScatteredStones,2,List of random stones to be generated in the Jungle Pyramid. +field_74943_l,junglePyramidsChestContents,2,List of Chest contents to be generated in the Jungle Pyramid chests. +field_74944_m,junglePyramidsDispenserContents,2,List of Dispenser contents to be generated in the Jungle Pyramid dispensers. +field_74949_a,roomsLinkedToTheRoom,2,List of other Mineshaft components linked to this room. +field_74952_b,isMultipleFloors,2, +field_74953_a,corridorDirection,2, +field_74955_d,sectionCount,2,A count of the different sections of this mine. The space between ceiling supports. +field_74956_b,hasSpiders,2, +field_74957_c,spawnerPlaced,2, +field_74958_a,hasRails,2, +field_74968_b,primaryWeights,2,Contains the list of valid piece weights for the set of nether bridge structure pieces. +field_74969_c,secondaryWeights,2,Contains the list of valid piece weights for the secondary set of nether bridge structure pieces. +field_74970_a,theNetherBridgePieceWeight,2,Instance of StructureNetherBridgePieceWeight. +field_74972_a,fillSeed,2, +field_74976_a,hasSpawner,2, +field_74998_a,doorType,2, +field_75001_b,doorType,2, +field_75002_c,hasMadeChest,2, +field_75003_a,strongholdChestContents,2,List of items that Stronghold chests can contain. +field_75005_a,hasSpawner,2, +field_75007_b,strongholdLibraryChestContents,2,List of items that Stronghold Library chests can contain. +field_75008_c,isLargeRoom,2, +field_75009_a,doorType,2, +field_75011_a,doorType,2, +field_75013_b,roomType,2, +field_75014_c,strongholdRoomCrossingChestContents,2,Items that could generate in the chest that is located in Stronghold Room Crossing. +field_75015_a,doorType,2, +field_75017_a,doorType,2, +field_75019_b,expandsX,2, +field_75020_c,expandsZ,2, +field_75021_a,doorType,2, +field_75023_b,doorType,2, +field_75025_b,strongholdPortalRoom,2, +field_75027_a,strongholdPieceWeight,2, +field_75029_a,doorType,2, +field_75038_b,rand,2,The RNG used by the MapGen classes. +field_75039_c,worldObj,2,This world object. +field_75040_a,range,2,The number of Chunks to gen-check in any given direction. +field_75053_d,structureMap,2,"Used to store a list of all structures that have been recursively generated. Used so that during recursive generation, the structure generator can avoid generating structures that intersect ones that have already been placed." +field_75054_f,terrainType,2,"World terrain type, 0 for normal, 1 for flat map" +field_75055_e,villageSpawnBiomes,2,A list of all the biomes villages can spawn in. +field_75056_f,ranBiomeCheck,2,is spawned false and set true once the defined BiomeGenBases were compared with the present ones +field_75057_g,structureCoords,2, +field_75058_e,allowedBiomeGenBases,2, +field_75060_e,spawnList,2, +field_75061_e,biomelist,2, +field_75065_b,selectedBlockMetaData,2, +field_75066_a,selectedBlockId,2, +field_75074_b,boundingBox,2, +field_75075_a,components,2,List of all StructureComponents that are part of this structure +field_75076_c,hasMoreThanTwoComponents,2,well ... thats what it does +field_75087_d,villagePiecesLimit,2, +field_75088_b,villagePieceWeight,2, +field_75089_c,villagePiecesSpawned,2, +field_75090_a,villagePieceClass,2,The Class object for the represantation of this village piece. +field_75096_f,flySpeed,2, +field_75097_g,walkSpeed,2, +field_75098_d,isCreativeMode,2,"Used to determine if creative mode is enabled, and therefore if items should be depleted on usage" +field_75099_e,allowEdit,2,Indicates whether the player is allowed to modify the surroundings +field_75100_b,isFlying,2,Sets/indicates whether the player is flying. +field_75101_c,allowFlying,2,whether or not to allow the player to fly when they double jump. +field_75102_a,disableDamage,2,Disables player damage. +field_75123_d,foodTimer,2,The player's food timer value. +field_75124_e,prevFoodLevel,2, +field_75125_b,foodSaturationLevel,2,The player's food saturation. +field_75126_c,foodExhaustionLevel,2,The player's food exhaustion. +field_75127_a,foodLevel,2,The player's food level. +field_75148_f,playerList,2, +field_75149_d,crafters,2,list of all people that need to be notified when this craftinventory changes +field_75150_e,transactionID,2, +field_75151_b,inventorySlots,2,the list of all slots in the inventory +field_75152_c,windowId,2, +field_75153_a,inventoryItemStacks,2,the list of all items(stacks) for the corresponding slot +field_75154_f,numRows,2, +field_75155_e,lowerChestInventory,2, +field_75156_f,lastCookTime,2, +field_75157_g,lastBurnTime,2, +field_75158_e,furnace,2, +field_75159_h,lastItemBurnTime,2, +field_75160_f,craftResult,2, +field_75161_g,worldObj,2, +field_75162_e,craftMatrix,2,The crafting matrix inventory (3x3). +field_75163_j,posZ,2, +field_75164_h,posX,2, +field_75165_i,posY,2, +field_75166_f,nameSeed,2,used as seed for EnchantmentNameParts (see GuiEnchantment) +field_75167_g,enchantLevels,2,3-member array storing the enchantment levels of each slot +field_75168_e,tableInventory,2,SlotEnchantmentTable object with ItemStack to be enchanted +field_75169_l,rand,2, +field_75170_j,posY,2, +field_75171_k,posZ,2, +field_75172_h,worldPointer,2,current world (for bookshelf counting) +field_75173_i,posX,2, +field_75176_f,merchantInventory,2, +field_75177_g,theWorld,2,Instance of World. +field_75178_e,theMerchant,2,Instance of Merchant. +field_75179_f,craftResult,2, +field_75180_g,isLocalWorld,2,Determines if inventory manipulation should be handled. +field_75181_e,craftMatrix,2,The crafting matrix inventory. +field_75182_e,tileEntityDispenser,2, +field_75185_e,itemList,2,the list of items in this container +field_75186_f,theSlot,2,Instance of Slot. +field_75187_g,brewTime,2, +field_75188_e,tileBrewingStand,2, +field_75191_d,instancesLimit,2,How many Structure Pieces of this type may spawn in a structure +field_75192_b,pieceWeight,2,"This basically keeps track of the 'epicness' of a structure. Epic structure components have a higher 'weight', and Structures may only grow up to a certain 'weight' before generation is stopped" +field_75193_c,instancesSpawned,2, +field_75194_a,pieceClass,2, +field_75203_d,strongComponentType,2, +field_75204_e,strongholdStones,2, +field_75205_b,pieceWeightArray,2, +field_75206_c,structurePieceList,2, +field_75207_a,totalWeight,2, +field_75221_f,yDisplayPosition,2,display position of the inventory slot on the screen y axis +field_75222_d,slotNumber,2,the id of the slot(also the index in the inventory arraylist) +field_75223_e,xDisplayPosition,2,display position of the inventory slot on the screen x axis +field_75224_c,inventory,2,The inventory we want to extract a slot from. +field_75225_a,slotIndex,2,The index of the slot in the inventory. +field_75226_a,brewingStand,2,The brewing stand this slot belongs to. +field_75227_a,container,2,The brewing stand this slot belongs to. +field_75229_a,thePlayer,2,The player that is using the GUI where this slot resides. +field_75232_b,thePlayer,2,The Player whos trying to buy/sell stuff. +field_75233_a,theMerchantInventory,2,Merchant's inventory. +field_75234_h,theMerchant,2,"""Instance"" of the Merchant." +field_75235_b,parent,2,"The parent class of this clot, ContainerPlayer, SlotArmor is a Anon inner class." +field_75236_a,armorType,2,"The armor type that can be placed on that slot, it uses the same values of armorType field on ItemArmor." +field_75237_g,amountCrafted,2,The number of items that have been crafted so far. Gets passed to ItemStack.onCrafting before being reset. +field_75238_b,thePlayer,2,The player that is using the GUI where this slot resides. +field_75239_a,craftMatrix,2,The craft matrix inventory linked to this result slot. +field_75241_b,theSlot,2, +field_75242_a,theCreativeInventory,2, +field_75244_a,player,2,The player that has this container open. +field_75245_a,doorEnum,2, +field_75254_a,mutexBits,2,"A bitmask telling which other tasks may not run concurrently. The test is a simple bitwise AND - if it yields zero, the two tasks may run concurrently, if not - they must run exclusively from each other." +field_75255_d,idleTime,2,A decrementing tick that stops the entity from being idle once it reaches 0. +field_75256_b,lookX,2,X offset to look at +field_75257_c,lookZ,2,Z offset to look at +field_75258_a,idleEntity,2,The entity that is looking idle. +field_75259_d,playTime,2, +field_75260_b,targetVillager,2, +field_75262_a,villagerObj,2, +field_75263_d,randPosY,2, +field_75264_e,randPosZ,2, +field_75265_b,speed,2, +field_75266_c,randPosX,2, +field_75267_a,theEntityCreature,2, +field_75268_b,creeperAttackTarget,2,The creeper's attack target. This is used for the changing of the creeper's state. +field_75269_a,swellingCreeper,2,The creeper that is swelling. +field_75271_b,isSitting,2,If the EntityTameable is sitting. +field_75272_a,theEntity,2, +field_75273_a,theEntity,2, +field_75274_b,frontDoor,2, +field_75275_a,entityObj,2, +field_75276_a,villager,2, +field_75284_a,temptedEntity,2,The entity using this AI that is tempted by the player. +field_75285_l,scaredByPlayerMovement,2,Whether the entity using this AI will be scared by the tempter's sudden movement. +field_75288_k,breedingFood,2,This field saves the ID of the items that can be used to breed entities with this behaviour. +field_75289_h,temptingPlayer,2,The player that is tempting the entity that is using this AI. +field_75290_i,delayTemptCounter,2,A counter that is decremented each time the shouldExecute method is called. The shouldExecute method will always return false if delayTemptCounter is greater than 0. +field_75291_d,tookGolemRose,2, +field_75292_b,theGolem,2, +field_75293_c,takeGolemRoseTick,2, +field_75294_a,theVillager,2, +field_75297_f,shouldCheckSight,2,"If true, EntityAI targets must be able to be seen (cannot be blocked by walls) to be suitable targets." +field_75299_d,taskOwner,2,The entity that this task belongs to +field_75300_e,targetDistance,2, +field_75304_b,villageAgressorTarget,2,The aggressor of the iron golem's village which is now the golem's attack target. +field_75305_a,irongolem,2, +field_75306_g,theNearestAttackableTargetSorter,2,Instance of EntityAINearestAttackableTargetSorter. +field_75307_b,targetClass,2, +field_75308_c,targetChance,2, +field_75309_a,targetEntity,2, +field_75310_g,theTameable,2, +field_75311_b,entityPathNavigate,2,The PathNavigate of our entity. +field_75313_b,theTarget,2, +field_75314_a,theEntityTameable,2, +field_75315_b,theOwnerAttacker,2, +field_75316_a,theDefendingTameable,2, +field_75320_d,rangedAttackTime,2,A decrementing tick that spawns a ranged attack once this value reaches 0. It is then set back to the maxRangedAttackTime. +field_75321_e,entityMoveSpeed,2, +field_75322_b,entityHost,2,The entity the AI instance has been applied to +field_75323_c,attackTarget,2, +field_75325_h,maxRangedAttackTime,2,The maximum time the AI has to wait before peforming another ranged attack. +field_75326_b,leapTarget,2,The entity that the leaper is leaping towards. +field_75327_c,leapMotionY,2,The entity's motionY after leaping. +field_75328_a,leaper,2,The entity that is leaping. +field_75329_f,watchedClass,2, +field_75330_d,lookTime,2, +field_75332_b,theWatcher,2, +field_75334_a,closestEntity,2,The closest entity which is being watched by this one. +field_75335_b,theMerchant,2, +field_75337_g,petPathfinder,2, +field_75338_d,thePet,2, +field_75339_e,theOwner,2, +field_75340_b,maxDist,2, +field_75341_c,minDist,2, +field_75342_a,theWorld,2, +field_75346_b,parentAnimal,2, +field_75348_a,childAnimal,2,The child that is following its parent. +field_75350_f,hasStoppedDoorInteraction,2,If is true then the Entity has stopped Door Interaction and compoleted the task. +field_75351_g,entityPositionX,2, +field_75352_d,entityPosZ,2, +field_75353_e,targetDoor,2, +field_75354_b,entityPosX,2, +field_75355_c,entityPosY,2, +field_75356_a,theEntity,2, +field_75357_h,entityPositionZ,2, +field_75359_i,breakingTime,2, +field_75363_b,theEntity,2, +field_75364_c,theWorld,2, +field_75365_a,eatGrassTick,2,A decrementing tick used for the sheep's head offset and animation. +field_75367_f,theWorld,2, +field_75368_d,shelterZ,2, +field_75369_e,movementSpeed,2, +field_75370_b,shelterX,2, +field_75371_c,shelterY,2, +field_75372_a,theCreature,2, +field_75373_a,theEntity,2, +field_75374_f,entityPathEntity,2,The PathEntity of our entity +field_75375_g,entityPathNavigate,2,The PathNavigate of our entity +field_75376_d,closestLivingEntity,2, +field_75377_e,distanceFromEntity,2, +field_75378_b,farSpeed,2, +field_75379_c,nearSpeed,2, +field_75380_a,theEntity,2,The entity we are attached to +field_75381_h,targetEntityClass,2,The class of the entity we should avoid +field_75383_d,minPlayerDistance,2, +field_75385_b,thePlayer,2, +field_75386_c,worldObject,2, +field_75387_a,theWolf,2, +field_75390_d,theAnimal,2, +field_75391_e,targetMate,2, +field_75392_b,spawnBabyDelay,2,Delay preventing a baby from spawning immediately when two mate-able animals find each other. +field_75393_c,moveSpeed,2,The speed the creature moves at during mating behavior. +field_75394_a,theWorld,2, +field_75395_b,theVillager,2, +field_75396_c,lookTime,2, +field_75397_a,theGolem,2, +field_75400_f,sitableBlockX,2,X Coordinate of a nearby sitable block +field_75401_g,sitableBlockY,2,Y Coordinate of a nearby sitable block +field_75403_e,maxSittingTicks,2,For how long the Ocelot should be sitting +field_75405_c,currentTick,2,Tracks for how long the task has been executing +field_75406_a,theOcelot,2, +field_75407_h,sitableBlockZ,2,Z Coordinate of a nearby sitable block +field_75408_d,attackCountdown,2, +field_75409_b,theEntity,2, +field_75410_c,theVictim,2, +field_75411_a,theWorld,2, +field_75415_f,doorList,2, +field_75416_d,doorInfo,2, +field_75417_e,isNocturnal,2, +field_75418_b,movementSpeed,2, +field_75419_c,entityPathNavigate,2,The PathNavigate of our entity. +field_75420_a,theEntity,2, +field_75421_d,insidePosZ,2, +field_75422_b,doorInfo,2, +field_75423_c,insidePosX,2, +field_75424_a,entityObj,2, +field_75427_d,movePosY,2, +field_75428_e,movePosZ,2, +field_75429_b,targetEntity,2, +field_75430_c,movePosX,2, +field_75431_a,theEntity,2, +field_75432_d,movePosZ,2, +field_75433_e,movementSpeed,2, +field_75434_b,movePosX,2, +field_75435_c,movePosY,2, +field_75436_a,theEntity,2, +field_75438_g,entityPathEntity,2,The PathEntity of our entity. +field_75439_d,attackTick,2,An amount of decrementing ticks that allows the entity to attack once the tick reaches 0. +field_75441_b,attacker,2, +field_75442_c,entityTarget,2, +field_75443_a,worldObj,2, +field_75444_h,classTarget,2, +field_75448_d,worldObj,2, +field_75449_e,matingTimeout,2, +field_75450_b,villagerObj,2, +field_75451_c,mate,2, +field_75452_a,villageObj,2, +field_75453_d,zPosition,2, +field_75454_e,speed,2, +field_75455_b,xPosition,2, +field_75456_c,yPosition,2, +field_75457_a,entity,2, +field_75459_b,theEntity,2, +field_75460_a,parent,2, +field_75465_a,staticVector,2,"used to store a driection when the user passes a point to move towards or away from. WARNING: NEVER THREAD SAFE. MULTIPLE findTowards and findAway calls, will share this var" +field_75475_f,lastActivityTimestamp,2, +field_75476_g,isDetachedFromVillageFlag,2, +field_75477_d,insideDirectionX,2, +field_75478_e,insideDirectionZ,2, +field_75479_b,posY,2, +field_75480_c,posZ,2, +field_75481_a,posX,2, +field_75482_h,doorOpeningRestrictionCounter,2, +field_75509_f,noSunPathfind,2, +field_75510_g,totalTicks,2,"Time, in number of ticks, following the current path" +field_75511_d,speed,2, +field_75512_e,pathSearchRange,2,The number of blocks (extra) +/- in each axis that get pulled out as cache for the pathfinder's search space +field_75513_b,worldObj,2, +field_75514_c,currentPath,2,The PathEntity being followed. +field_75515_a,theEntity,2, +field_75516_l,avoidsWater,2,If water blocks are avoided (at least by the pathfinder) +field_75517_m,canSwim,2,If the entity can swim. Swimming AI enables this and the pathfinder will also cause the entity to swim straight upwards when underwater +field_75518_j,canPassOpenWoodenDoors,2,"Specifically, if a wooden door block is even considered to be passable by the pathfinder" +field_75519_k,canPassClosedWoodenDoors,2,If door blocks are considered passable even when closed +field_75520_h,ticksAtLastPos,2,The time when the last position check was done (to detect successful movement) +field_75521_i,lastPosCheck,2,Coordinates of the entity's position last time a check was done (part of monitoring getting 'stuck') +field_75524_b,seenEntities,2,Cache of entities which we can see +field_75525_c,unseenEntities,2,Cache of entities which we cannot see +field_75526_a,entityObj,2, +field_75531_f,theVillage,2,Instance of Village. +field_75537_a,worldObj,2, +field_75552_d,villageList,2, +field_75553_e,tickCounter,2, +field_75554_b,villagerPositionsList,2,"This is a black hole. You can add data to this list through a public interface, but you can't query that information in any way and it's not used internally either." +field_75555_c,newDoors,2, +field_75556_a,worldObj,2, +field_75580_f,lastAddDoorTimestamp,2, +field_75581_g,tickCounter,2, +field_75582_d,center,2,This is the actual village center. +field_75583_e,villageRadius,2, +field_75584_b,villageDoorInfoList,2,list of VillageDoorInfo objects +field_75585_c,centerHelper,2,This is the sum of all door coordinates and used to calculate the actual village center by dividing by the number of doors. +field_75586_a,worldObj,2, +field_75587_j,numIronGolems,2, +field_75588_h,numVillagers,2, +field_75589_i,villageAgressors,2, +field_75590_b,agressionTime,2, +field_75591_c,villageObj,2, +field_75592_a,agressor,2, +field_75603_f,creatureMaterial,2, +field_75604_g,isPeacefulCreature,2,A flag indicating whether this creature type is peaceful. +field_75605_d,creatureClass,2,"The root class of creatures associated with this EnumCreatureType (IMobs for aggressive creatures, EntityAnimals for friendly ones)" +field_75606_e,maxNumberOfCreature,2, +field_75611_b,primaryColor,2,Base color of the egg +field_75612_c,secondaryColor,2,Color of the egg spots +field_75613_a,spawnedID,2,The entityID of the spawned mob +field_75622_f,stringToIDMapping,2,Maps entity names to their numeric identifiers +field_75623_d,IDtoClassMapping,2,provides a mapping between an entityID and an Entity Class +field_75624_e,classToIDMapping,2,provides a mapping between an Entity Class and an entity ID +field_75625_b,stringToClassMapping,2,Provides a mapping between entity classes and a string +field_75626_c,classToStringMapping,2,Provides a mapping between a string and an entity classes +field_75627_a,entityEggs,2,This is a HashMap of the Creative Entity Eggs/Spawners. +field_75643_f,update,2, +field_75644_d,posZ,2, +field_75645_e,speed,2,The speed at which the entity should move +field_75646_b,posX,2, +field_75647_c,posY,2, +field_75648_a,entity,2,The EntityLiving that is being moved +field_75653_f,posY,2, +field_75654_g,posZ,2, +field_75655_d,isLooking,2,Whether or not the entity is trying to look at something. +field_75656_e,posX,2, +field_75657_b,deltaLookYaw,2,The amount of change that is made each update for an entity facing a direction. +field_75658_c,deltaLookPitch,2,The amount of change that is made each update for an entity facing a direction. +field_75659_a,entity,2, +field_75662_b,isJumping,2, +field_75663_a,entity,2, +field_75668_a,theLiving,2,Instance of EntityLiving. +field_75675_d,watched,2, +field_75676_b,dataValueId,2,id of max 31 +field_75677_c,watchedObject,2, +field_75678_a,objectType,2, +field_75694_d,lock,2, +field_75695_b,watchedObjects,2, +field_75696_c,objectChanged,2,true if one or more object was changed +field_75697_a,dataTypes,2, +field_75699_D,offsetX,2, +field_75700_E,offsetY,2, +field_75702_A,title,2,Painting Title. +field_75703_B,sizeX,2, +field_75704_C,sizeY,2, +field_75728_z,maxArtTitleLength,2,Holds the maximum length of paintings art title. +field_75731_b,priority,2,Priority of the EntityAIBase +field_75732_c,tasks,2,The EntityAITasks object of which this is an entry. +field_75733_a,action,2,The EntityAIBase object. +field_75737_d,savedIOCounter,2, +field_75738_e,isThreadWaiting,2, +field_75739_b,threadedIOQueue,2, +field_75740_c,writeQueuedCounter,2, +field_75741_a,threadedIOInstance,2,Instance of ThreadedFileIOBase +field_75748_d,idCounts,2,Map of MapDataBase id String prefixes ('map' etc) to max known unique Short id (the 0 part etc) for that prefix +field_75749_b,loadedDataMap,2,Map of item data String id to loaded MapDataBases +field_75750_c,loadedDataList,2,List of loaded MapDataBases. +field_75751_a,saveHandler,2, +field_75767_f,saveDirectoryName,2,The directory name of the world +field_75768_d,mapDataDir,2, +field_75769_e,initializationTime,2,The time in milliseconds when this field was initialized. Stored in the session lock file. +field_75770_b,worldDirectory,2,The directory in which to save world data. +field_75771_c,playersDirectory,2,The directory in which to save player data. +field_75780_b,executingTaskEntries,2,A list of EntityAITaskEntrys that are currently being executed. +field_75781_c,theProfiler,2,Instance of Profiler. +field_75782_a,taskEntries,2,A list of EntityAITaskEntrys in EntityAITasks. +field_75791_f,theEnumGameType,2,Instance of EnumGameType. +field_75792_g,hardcore,2, +field_75793_d,sizeOnDisk,2, +field_75794_e,requiresConversion,2, +field_75795_b,displayName,2,the displayed name of this save file +field_75796_c,lastTimePlayed,2, +field_75797_a,fileName,2,the file name of this save +field_75798_h,cheatsEnabled,2, +field_75808_a,savesDirectory,2,Reference to the File object representing the directory for the world saves +field_75825_d,chunkSaveLocation,2,Save directory for chunks using the Anvil format +field_75826_b,pendingAnvilChunksCoordinates,2, +field_75827_c,syncLockObject,2, +field_75828_a,chunksToRemove,2, +field_75833_f,distanceToNext,2,The linear distance to the next point +field_75834_g,distanceToTarget,2,The distance to the target +field_75835_d,index,2,The index of this point in its assigned path +field_75836_e,totalPathDistance,2,The distance along the path to this point +field_75837_b,yCoord,2,The y coordinate of this point +field_75838_c,zCoord,2,The z coordinate of this point +field_75839_a,xCoord,2,The x coordinate of this point +field_75840_j,hash,2,A hash of the coordinates used to identify this point +field_75841_h,previous,2,The point preceding this in its assigned path +field_75842_i,isFirst,2,Indicates this is the origin +field_75851_b,count,2,The number of points in this path +field_75852_a,pathPoints,2,Contains the points in this path +field_75862_f,isMovementBlockAllowed,2,should the PathFinder disregard BlockMovement type materials in its path +field_75863_g,isPathingInWater,2, +field_75864_d,pathOptions,2,Selection of path points to add to the path +field_75865_e,isWoddenDoorAllowed,2,should the PathFinder go through wodden door blocks +field_75866_b,path,2,The path being generated +field_75867_c,pointMap,2,The points in the path +field_75868_a,worldMap,2,Used to find obstacles +field_75869_h,canEntityDrown,2,tells the FathFinder to not stop pathing underwater +field_75882_b,currentPathIndex,2,PathEntity Array Index the Entity is currently targeting +field_75883_c,pathLength,2,The total length of the path +field_75884_a,points,2,The actual points in the path +field_75898_a,charSet,2,ISO_8859_1 +field_75900_a,salt,2,The salt prepended to the string to be hashed +field_75906_d,baseSeed,2,base seed to the LCG prng provided via the constructor +field_75907_b,worldGenSeed,2,seed from World#getWorldSeed that is used in the LCG prng +field_75908_c,chunkSeed,2,"final part of the LCG prng that uses the chunk X, Z coords along with the other two seeds to generate pseudorandom numbers" +field_75909_a,parent,2,parent GenLayer that was provided via the constructor +field_75910_b,biomePatternGeneratorChain,2, +field_75911_c,riverPatternGeneratorChain,2, +field_75914_b,allowedBiomes,2,this sets all the biomes that are allowed to appear in the overworld +field_75928_D,objectCraftStats,2,Tracks the number of items a given block or item has been crafted. +field_75929_E,objectUseStats,2,Tracks the number of times a given block or item has been used. +field_75930_F,objectBreakStats,2,Tracks the number of times a given block or item has been broken. +field_75931_G,blockStatsInitialized,2, +field_75932_A,playerKillsStat,2,counts the number of times you've killed a player +field_75933_B,fishCaughtStat,2, +field_75934_C,mineBlockStatArray,2, +field_75935_H,itemStatsInitialized,2, +field_75936_f,startGameStat,2,times the game has been started +field_75937_g,createWorldStat,2,times a world has been created +field_75938_d,itemStats,2, +field_75939_e,objectMineStats,2,Tracks the number of times a given block or item has been mined. +field_75940_b,allStats,2, +field_75941_c,generalStats,2, +field_75942_a,oneShotStats,2,Tracks one-off stats. +field_75943_n,distanceFallenStat,2,the distance you have fallen +field_75944_o,distanceClimbedStat,2,the distance you've climbed +field_75945_l,distanceWalkedStat,2,distance you've walked +field_75946_m,distanceSwumStat,2,distance you have swam +field_75947_j,leaveGameStat,2,number of times you've left a game +field_75948_k,minutesPlayedStat,2,number of minutes you have played +field_75949_h,loadWorldStat,2,the number of times you have loaded a world +field_75950_i,joinMultiplayerStat,2,number of times you've joined a multiplayer world +field_75951_w,damageDealtStat,2,the amount of damage you've dealt +field_75952_v,dropStat,2,the distance you've dropped (or times you've fallen?) +field_75953_u,jumpStat,2,the times you've jumped +field_75954_t,distanceByPigStat,2,the distance you've traveled by pig +field_75955_s,distanceByBoatStat,2,the distance you've traveled by boat +field_75956_r,distanceByMinecartStat,2,the distance you've traveled by minecart +field_75957_q,distanceDoveStat,2,the distance you've dived +field_75958_p,distanceFlownStat,2,the distance you've flown +field_75959_z,mobKillsStat,2,the number of mobs you have killed +field_75960_y,deathsStat,2,the number of times you have died +field_75961_x,damageTakenStat,2,the amount of damage you have taken +field_75963_b,guidMap,2,Maps a achievement id with it's unique GUID. +field_75964_a,instance,2,Holds the singleton instance of AchievementMap. +field_75972_f,isIndependent,2, +field_75973_g,statGuid,2,Holds the GUID of the stat. +field_75974_d,decimalFormat,2, +field_75975_e,statId,2,The Stat ID +field_75976_b,type,2, +field_75977_c,numberFormat,2, +field_75978_a,statName,2,The Stat name +field_75979_j,distanceStatType,2, +field_75980_h,simpleStatType,2, +field_75981_i,timeStatType,2, +field_75983_a,itemID,2, +field_75990_d,theItemStack,2,Holds the ItemStack that will be used to draw the achievement into the GUI. +field_75991_b,displayRow,2,"Is the row (related to center of achievement gui, in 24 pixels unit) that the achievement will be displayed." +field_75992_c,parentAchievement,2,"Holds the parent achievement, that must be taken before this achievement is avaiable." +field_75993_a,displayColumn,2,"Is the column (related to center of achievement gui, in 24 pixels unit) that the achievement will be displayed." +field_75994_l,statStringFormatter,2,"Holds a string formatter for the achievement, some of then needs extra dynamic info - like the key used to open the inventory." +field_75995_m,isSpecial,2,"Special achievements have a 'spiked' (on normal texture pack) frame, special achievements are the hardest ones to achieve." +field_75996_k,achievementDescription,2,"Holds the description of the achievement, ready to be formatted and/or displayed." +field_75998_D,enchantments,2,Is the 'Enchanter' achievement +field_75999_E,overkill,2, +field_76000_F,bookcase,2,Is the 'Librarian' achievement +field_76001_A,potion,2,Is the 'Local Brewery' achievement +field_76002_B,theEnd,2,Is the 'The End?' achievement +field_76003_C,theEnd2,2,Is the 'The End.' achievement +field_76004_f,openInventory,2,Is the 'open inventory' achievement. +field_76005_g,mineWood,2,Is the 'getting wood' achievement. +field_76006_d,maxDisplayRow,2,Is the biggest row used to display a achievement on the GUI. +field_76007_e,achievementList,2,Holds a list of all registered achievements. +field_76008_b,minDisplayRow,2,Is the smallest row used to display a achievement on the GUI. +field_76009_c,maxDisplayColumn,2,Is the biggest column used to display a achievement on the GUI. +field_76010_a,minDisplayColumn,2,Is the smallest column used to display a achievement on the GUI. +field_76011_n,bakeCake,2,Is the 'the lie' achievement. +field_76012_o,buildBetterPickaxe,2,Is the 'getting a upgrade' achievement. +field_76013_l,buildHoe,2,Is the 'time to farm' achievement. +field_76014_m,makeBread,2,Is the 'bake bread' achievement. +field_76015_j,buildFurnace,2,Is the 'hot topic' achievement. +field_76016_k,acquireIron,2,Is the 'acquire hardware' achievement. +field_76017_h,buildWorkBench,2,Is the 'benchmarking' achievement. +field_76018_i,buildPickaxe,2,Is the 'time to mine' achievement. +field_76019_w,diamonds,2,Is the 'DIAMONDS!' achievement +field_76020_v,snipeSkeleton,2,The achievement for killing a Skeleton from 50 meters aways. +field_76021_u,flyPig,2,Is the 'when pig fly' achievement. +field_76022_t,killCow,2,is the 'cow tipper' achievement. +field_76023_s,killEnemy,2,Is the 'monster hunter' achievement. +field_76024_r,buildSword,2,Is the 'time to strike' achievement. +field_76025_q,onARail,2,Is the 'on a rail' achievement +field_76026_p,cookFish,2,Is the 'delicious fish' achievement. +field_76027_z,blazeRod,2,Is the 'Into Fire' achievement +field_76028_y,ghast,2,Is the 'Return to Sender' achievement +field_76029_x,portal,2,Is the 'We Need to Go Deeper' achievement +field_76032_d,slotHash,2,The id of the hash slot computed from the hash +field_76033_b,valueEntry,2,The object stored in this entry +field_76034_c,nextEntry,2,The next entry in this slot +field_76035_a,hashEntry,2,The hash code of this entry +field_76050_f,keySet,2,The set of all the keys stored in this MCHash object +field_76051_d,growFactor,2,The scale factor used to determine when to grow the table +field_76052_e,versionStamp,2,A serial stamp used to mark changes +field_76053_b,count,2,The number of items stored in this map +field_76054_c,threshold,2,The grow threshold +field_76055_a,slots,2,An array of HashEntries representing the heads of hash slot lists +field_76094_f,worldTime,2,"The current world time in ticks, ranging from 0 to 23999." +field_76095_g,lastTimePlayed,2,The last time the player was in this world. +field_76096_d,spawnY,2,The spawn zone position Y coordinate. +field_76097_e,spawnZ,2,The spawn zone position Z coordinate. +field_76098_b,terrainType,2, +field_76099_c,spawnX,2,The spawn zone position X coordinate. +field_76100_a,randomSeed,2,Holds the seed of the currently world. +field_76101_n,rainTime,2,Number of ticks until next rain. +field_76102_o,thundering,2,Is thunderbolts failing now? +field_76103_l,saveVersion,2,"Introduced in beta 1.3, is the save version for future control." +field_76104_m,raining,2,"True if it's raining, false otherwise." +field_76105_j,dimension,2, +field_76106_k,levelName,2,The name of the save defined at world creation. +field_76107_h,sizeOnDisk,2,"The size of entire save of current world on the disk, isn't exactly." +field_76108_i,playerTag,2, +field_76109_u,initialized,2, +field_76110_t,allowCommands,2, +field_76111_s,hardcore,2,Hardcore mode flag +field_76112_r,mapFeaturesEnabled,2,Whether the map features (e.g. strongholds) generation is enabled or disabled. +field_76113_q,theGameType,2,The Game Type. +field_76114_p,thunderTime,2,Number of ticks untils next thunderbolt. +field_76115_a,theWorldInfo,2,Instance of WorldInfo. +field_76117_a,internalMap,2, +field_76119_d,lock,2,Used to make threads queue to add packets +field_76120_b,packetCountForID,2,A count of the total number of each packet sent grouped by IDs. +field_76121_c,sizeCountForID,2,A count of the total size of each packet sent grouped by IDs. +field_76122_a,allowCounting,2,"If false, countPacket does nothing" +field_76144_a,SIN_TABLE,2,"A table of sin values computed from 0 (inclusive) to 2*pi (exclusive), with steps of 2*PI / 65536." +field_76147_d,hash,2, +field_76148_b,value,2,the value held by the hash at the specified key +field_76149_c,nextEntry,2,the next hashentry in the table +field_76150_a,key,2,the key as a long (for playerInstances it is the x in the most significant 32 bits and then y) +field_76165_d,percentUseable,2,percent of the hasharray that can be used without hash colliding probably +field_76166_e,modCount,2,count of times elements have been added/removed +field_76167_b,numHashElements,2,the number of elements in the hash array +field_76168_c,capacity,2,the maximum amount of elements in the hash (probably 3/4 the size due to meh hashing function) +field_76169_a,hashArray,2,the array of all elements in the hash +field_76171_a,texturePacks,2, +field_76172_a,parent,2, +field_76173_f,maxFileSize,2, +field_76174_d,destinationFile,2, +field_76175_e,downloadSuccess,2, +field_76176_b,sourceURL,2, +field_76178_a,feedbackHook,2, +field_76189_a,dirty,2,Whether this MapDataBase needs saving to disk. +field_76190_i,mapName,2,The name of the map data nbt +field_76196_g,playersArrayList,2,Holds a reference to the MapInfo of the players who own a copy of the map +field_76197_d,scale,2, +field_76198_e,colors,2,colours +field_76199_b,zCenter,2, +field_76200_c,dimension,2, +field_76201_a,xCenter,2, +field_76202_j,playersHashMap,2,Holds a reference to the players who own a copy of the map and a reference to their MapInfo +field_76203_h,playersVisibleOnMap,2, +field_76205_f,ticksUntilPlayerLocationMapUpdate,2, +field_76206_g,lastPlayerLocationOnMap,2,a cache of the result from getPlayersOnMap so that it is not resent when nothing changes +field_76207_d,mapDataObj,2,reference in MapInfo to MapData object +field_76208_e,currentRandomNumber,2,"updated by x = mod(x*11,128) +1 x-1 is used to index field_76209_b and field_76210_c" +field_76211_a,entityplayerObj,2,Reference for EntityPlayer object in MapInfo +field_76212_d,iconRotation,2, +field_76213_e,data,2, +field_76214_b,centerX,2, +field_76215_c,centerZ,2, +field_76216_a,iconSize,2, +field_76232_D,web,2,Web's material. +field_76233_E,piston,2,Pistons' material. +field_76234_F,materialMapColor,2,The color index used to draw the blocks of this material on maps. +field_76235_G,canBurn,2,Bool defining if the block can burn or not. +field_76236_A,dragonEgg,2, +field_76237_B,portal,2,Material used for portals +field_76238_C,cake,2,"Cake's material, see BlockCake" +field_76239_H,replaceable,2,"Determines whether blocks with this material can be ""overwritten"" by other blocks when placed - eg snow, vines and tall grass." +field_76240_I,isTranslucent,2,Indicates if the material is translucent +field_76241_J,requiresNoTool,2,Determines if the material can be harvested without a tool (or with the wrong tool) +field_76242_K,mobilityFlag,2,"Mobility information flag. 0 indicates that this block is normal, 1 indicates that it can't push other blocks, 2 indicates that it can't be pushed." +field_76243_f,iron,2, +field_76244_g,water,2, +field_76245_d,wood,2, +field_76246_e,rock,2, +field_76247_b,grass,2,The material used by BlockGrass. +field_76248_c,ground,2, +field_76249_a,air,2, +field_76250_n,fire,2, +field_76251_o,sand,2, +field_76252_l,sponge,2, +field_76253_m,cloth,2, +field_76254_j,plants,2, +field_76255_k,vine,2, +field_76256_h,lava,2, +field_76257_i,leaves,2, +field_76258_w,craftedSnow,2,The material for crafted snow. +field_76259_v,snow,2, +field_76260_u,ice,2, +field_76261_t,coral,2, +field_76262_s,tnt,2, +field_76263_r,redstoneLight,2, +field_76264_q,glass,2, +field_76265_p,circuits,2, +field_76266_z,pumpkin,2,pumpkin +field_76267_y,clay,2, +field_76268_x,cactus,2, +field_76275_f,tntColor,2,The map color for TNT blocks +field_76276_g,iceColor,2,The map color for Ice blocks +field_76277_d,sandColor,2,This is the color of the sand +field_76278_e,clothColor,2,The map color for Cloth and Sponge blocks +field_76279_b,airColor,2,The map color for Air blocks +field_76280_c,grassColor,2,this is the grass color in html format +field_76281_a,mapColorArray,2,"Holds all the 16 colors used on maps, very similar of a pallete system." +field_76282_n,waterColor,2,The map color for Water blocks +field_76283_o,woodColor,2,The map color for Wood blocks +field_76284_l,dirtColor,2,The map color for Dirt blocks +field_76285_m,stoneColor,2,The map color for Stone blocks +field_76286_j,snowColor,2,The map color for Snow Cover and Snow blocks +field_76287_k,clayColor,2,The map color for Clay blocks +field_76288_h,ironColor,2,The map color for Iron blocks +field_76289_i,foliageColor,2,"The map color for Leaf, Plant, Cactus, and Pumpkin blocks." +field_76290_q,colorIndex,2,Holds the index of the color used on map. +field_76291_p,colorValue,2,Holds the color in RGB value that will be rendered on maps. +field_76292_a,itemWeight,2,The Weight is how often the item is chosen(higher number is higher chance(lower is lower)) +field_76295_d,theMinimumChanceToGenerateItem,2,The minimum chance of item generating. +field_76296_e,theMaximumChanceToGenerateItem,2,The maximum chance of item generating. +field_76297_b,theItemId,2,The Item/Block ID to generate in the Chest. +field_76299_d,maxGroupCount,2, +field_76300_b,entityClass,2,Holds the class of the entity to be spawned. +field_76301_c,minGroupCount,2, +field_76302_b,enchantmentobj,2,Enchantment object associated with this EnchantmentData +field_76303_c,enchantmentLevel,2,Enchantment level associated with this EnchantmentData +field_76306_b,octaves,2, +field_76307_a,generatorCollection,2,Collection of noise generation functions. Output is combined to produce different octaves of noise. +field_76312_d,permutations,2, +field_76313_b,yCoord,2, +field_76314_c,zCoord,2, +field_76315_a,xCoord,2, +field_76323_d,profilingSection,2,Current profiling section +field_76324_e,profilingMap,2,Profiling map +field_76325_b,sectionList,2,List of parent sections +field_76326_c,timestampList,2,List of timestamps (System.nanoTime) +field_76327_a,profilingEnabled,2,Flag profiling enabled +field_76339_a,patternControlCode,2, +field_76342_b,second,2,Second Object in the Tuple +field_76343_a,first,2,First Object in the Tuple +field_76344_a,snooper,2,The PlayerUsageSnooper object. +field_76366_f,starve,2, +field_76367_g,cactus,2, +field_76368_d,inWall,2, +field_76369_e,drown,2, +field_76370_b,onFire,2, +field_76371_c,lava,2, +field_76372_a,inFire,2, +field_76373_n,damageType,2, +field_76374_o,isUnblockable,2,This kind of damage can be blocked or not. +field_76376_m,magic,2, +field_76377_j,generic,2, +field_76378_k,explosion,2, +field_76379_h,fall,2, +field_76380_i,outOfWorld,2, +field_76381_t,difficultyScaled,2,Whether this damage source will have its damage amount scaled based on the current difficulty. +field_76382_s,projectile,2,This kind of damage is based on a projectile or not. +field_76383_r,fireDamage,2,This kind of damage is based on fire or not. +field_76384_q,hungerDamage,2, +field_76385_p,isDamageAllowedInCreativeMode,2, +field_76386_o,damageSourceEntity,2, +field_76387_p,indirectEntity,2, +field_76412_L,effectiveness,2, +field_76413_M,usable,2, +field_76414_N,liquidColor,2,Is the color of the liquid for this potion. +field_76415_H,id,2,The Id of a Potion object. +field_76416_I,name,2,The name of the Potion. +field_76417_J,statusIconIndex,2,The index for the icon displayed when the potion effect is active. +field_76418_K,isBadEffect,2,This field indicated if the effect is 'bad' - negative - for the entity. +field_76419_f,digSlowdown,2, +field_76420_g,damageBoost,2, +field_76421_d,moveSlowdown,2, +field_76422_e,digSpeed,2, +field_76424_c,moveSpeed,2, +field_76425_a,potionTypes,2,The array of potion types. +field_76426_n,fireResistance,2,The fire resistance Potion object. +field_76427_o,waterBreathing,2,The water breathing Potion object. +field_76428_l,regeneration,2,The regeneration Potion object. +field_76429_m,resistance,2, +field_76430_j,jump,2, +field_76431_k,confusion,2, +field_76432_h,heal,2, +field_76433_i,harm,2, +field_76436_u,poison,2,The poison Potion object. +field_76437_t,weakness,2,The weakness Potion object. +field_76438_s,hunger,2,The hunger Potion object. +field_76439_r,nightVision,2,The night vision Potion object. +field_76440_q,blindness,2,The blindness Potion object. +field_76441_p,invisibility,2,The invisibility Potion object. +field_76447_d,freeLargeArrays,2,A list of pre-allocated int[cacheSize] arrays that are currently unused and can be returned by getIntCache() +field_76448_e,inUseLargeArrays,2,A list of pre-allocated int[cacheSize] arrays that were previously returned by getIntCache() and which will not be re-used again until resetIntCache() is called. +field_76449_b,freeSmallArrays,2,A list of pre-allocated int[256] arrays that are currently unused and can be returned by getIntCache() +field_76450_c,inUseSmallArrays,2,A list of pre-allocated int[256] arrays that were previously returned by getIntCache() and which will not be re-used again until resetIntCache() is called. +field_76451_a,intCacheSize,2, +field_76460_b,duration,2,The duration of the potion effect +field_76461_c,amplifier,2,The amplifier of the potion effect +field_76462_a,potionID,2,ID value of the potion this effect matches. +field_76476_f,syncLock,2, +field_76477_g,isRunning,2, +field_76478_d,playerStatsCollector,2, +field_76479_e,threadTrigger,2,set to fire the snooperThread every 15 mins +field_76480_b,uniqueID,2, +field_76481_c,serverUrl,2,URL of the server to send the report to +field_76482_a,dataMap,2,String map for report data +field_76483_h,selfCounter,2,incremented on every getSelfCounterFor +field_76488_a,doBlockNotify,2,"Sets wither or not the generator should notify blocks of blocks it changes. When the world is first generated, this is false, when saplings grow, this is true." +field_76501_f,height,2, +field_76502_g,heightAttenuation,2, +field_76503_d,basePos,2, +field_76504_e,heightLimit,2, +field_76505_b,rand,2,random seed for GenBigTree +field_76506_c,worldObj,2,Reference to the World object. +field_76507_a,otherCoordPairs,2,"Contains three sets of two values that provide complimentary indices for a given 'major' index - 1 and 2 for 0, 0 and 2 for 1, and 0 and 1 for 2." +field_76508_n,leafDistanceLimit,2,Sets the distance limit for how far away the generator will populate leaves from the base leaf node. +field_76509_o,leafNodes,2,Contains a list of a points at which to generate groups of leaves. +field_76510_l,trunkSize,2,"Currently always 1, can be set to 2 in the class constructor to generate a double-sized tree trunk for big trees." +field_76511_m,heightLimitLimit,2,Sets the limit of the random value used to initialize the height limit. +field_76512_j,scaleWidth,2, +field_76513_k,leafDensity,2, +field_76514_h,branchDensity,2, +field_76515_i,branchSlope,2, +field_76516_a,deadBushID,2,stores the ID for WorldGenDeadBush +field_76517_b,numberOfBlocks,2,The number of blocks to generate. +field_76518_a,clayBlockId,2,The block ID for clay. +field_76520_b,woodMetadata,2,Sets the metadata for the wood blocks used +field_76521_c,leavesMetadata,2,Sets the metadata for the leaves used in huge trees +field_76522_a,baseHeight,2,The base height of the tree +field_76523_a,mushroomType,2,"The mushroom type. 0 for brown, 1 for red." +field_76524_a,blockIndex,2, +field_76525_a,hellLavaID,2,Stores the ID for WorldGenHellLava +field_76528_a,plantBlockId,2,The ID of the plant block used in this plant generator. +field_76530_d,metaLeaves,2,The metadata value of the leaves to use in tree generation. +field_76531_b,vinesGrow,2,True if this tree should grow Vines. +field_76532_c,metaWood,2,The metadata value of the wood to use in tree generation. +field_76533_a,minTreeHeight,2,The minimum height of a generated tree. +field_76534_b,tallGrassMetadata,2, +field_76535_a,tallGrassID,2,Stores ID for WorldGenTallGrass +field_76537_a,liquidBlockId,2,The ID of the liquid block used in this liquid generator. +field_76538_a,replaceID,2,The Block ID that the generator is allowed to replace while generating the terrain. +field_76539_b,radius,2,The maximum radius used when generating a patch of blocks. +field_76540_a,sandID,2,Stores ID for WorldGenSand +field_76541_b,numberOfBlocks,2,The number of blocks to generate. +field_76542_a,minableBlockId,2,The block ID of the ore to be placed using this generator. +field_76545_b,itemsToGenerateInBonusChest,2,Value of this int will determine how much items gonna generate in Bonus Chest. +field_76546_a,theBonusChestGenerator,2,Instance of WeightedRandomChestContent what will randomly generate items into the Bonus Chest. +field_76547_b,nbtTags,2, +field_76548_a,chunkCoordinate,2, +field_76553_a,regionsByFilename,2,A map containing Files as keys and RegionFiles as values +field_76573_f,lightBrightnessTable,2,Light to brightness conversion table +field_76574_g,dimensionId,2,"The id for the dimension (ex. -1: Nether, 0: Overworld, 1: The End)" +field_76575_d,isHellWorld,2,States whether the Hell world provider is used(true) or if the normal world provider is used(false) +field_76576_e,hasNoSky,2,A boolean that tells if a world does not have a sky. Used in calculating weather and skylight +field_76577_b,terrainType,2, +field_76578_c,worldChunkMgr,2,World chunk manager being used to generate chunks +field_76579_a,worldObj,2,world object being used +field_76580_h,colorsSunriseSunset,2,Array for sunrise/sunset colors (RGBA) +field_76583_b,depthBits,2,Log base 2 of the chunk height (128); applied as a shift on Z coordinate +field_76584_c,depthBitsPlusFour,2,Log base 2 of the chunk height (128) * width (16); applied as a shift on X coordinate +field_76585_a,data,2,Byte array of data stored in this holder. Possibly a light map or some chunk data. Data is accessed in 4-bit pieces. +field_76634_f,heightMap,2, +field_76635_g,xPosition,2,The x coordinate of the chunk. +field_76636_d,isChunkLoaded,2,Whether or not this Chunk is currently loaded into the World +field_76637_e,worldObj,2,Reference to the World object. +field_76638_b,precipitationHeightMap,2,"A map, similar to heightMap, that tracks how far down precipitation can fall." +field_76639_c,updateSkylightColumns,2,Which columns need their skylightMaps updated. +field_76640_a,isLit,2,Determines if the chunk is lit or not at a light value greater than 0. +field_76641_n,lastSaveTime,2,The time according to World.worldTime when this chunk was last saved +field_76642_o,sendUpdates,2,"Updates to this chunk will not be sent to clients if this is false. This field is set to true the first time the chunk is sent to a client, and never set to false." +field_76643_l,isModified,2,Set to true if the chunk has been modified and needs to be updated internally. +field_76644_m,hasEntities,2,Whether this Chunk has any Entities and thus requires saving on every tick +field_76645_j,entityLists,2,Array of Lists containing the entities in this Chunk. Each List represents a 16 block subchunk. +field_76646_k,isTerrainPopulated,2,Boolean value indicating if the terrain is populated. +field_76647_h,zPosition,2,The z coordinate of the chunk. +field_76648_i,chunkTileEntityMap,2,A Map of ChunkPositions to TileEntities in this chunk +field_76649_t,queuedLightChecks,2,"Contains the current round-robin relight check index, and is implied as the relight check location as well." +field_76650_s,isGapLightingUpdated,2, +field_76651_r,blockBiomeArray,2,Contains a 16x16 mapping on the X/Z plane of the biome ID to which each colum belongs. +field_76652_q,storageArrays,2,"Used to store block IDs, block MSBs, Sky-light maps, Block-light maps, and metadata. Each entry corresponds to a logical segment of 16x16x16 blocks, stacked vertically." +field_76678_f,blockMetadataArray,2,Stores the metadata associated with blocks in this ExtendedBlockStorage. +field_76679_g,blocklightArray,2,The NibbleArray containing a block of Block-light data. +field_76680_d,blockLSBArray,2,Contains the least significant 8 bits of each block ID belonging to this block storage's parent Chunk. +field_76681_e,blockMSBArray,2,Contains the most significant 4 bits of each block ID belonging to this block storage's parent Chunk. +field_76682_b,blockRefCount,2,A total count of the number of non-air blocks in this block storage's Chunk. +field_76683_c,tickRefCount,2,Contains the number of blocks in this block storage's parent chunk that require random ticking. Used to cull the Chunk from random tick updates for performance reasons. +field_76684_a,yBase,2,Contains the bottom-most Y block represented by this ExtendedBlockStorage. Typically a multiple of 16. +field_76685_h,skylightArray,2,The NibbleArray containing a block of Sky-light data. +field_76687_b,depthBits,2, +field_76688_c,depthBitsPlusFour,2, +field_76689_a,data,2, +field_76692_f,data,2, +field_76693_g,blocks,2, +field_76694_d,blockLight,2, +field_76695_e,skyLight,2, +field_76696_b,terrainPopulated,2, +field_76697_c,heightmap,2, +field_76698_a,lastUpdated,2, +field_76699_l,z,2, +field_76700_j,tileTicks,2, +field_76701_k,x,2, +field_76702_h,entities,2, +field_76703_i,tileEntities,2, +field_76714_f,sectorFree,2, +field_76715_g,sizeDelta,2,McRegion sizeDelta +field_76716_d,offsets,2, +field_76717_e,chunkTimestamps,2, +field_76718_b,fileName,2, +field_76719_c,dataFile,2, +field_76720_a,emptySector,2, +field_76721_h,lastModified,2, +field_76722_b,chunkX,2, +field_76723_c,chunkZ,2, +field_76724_a,regionFile,2, +field_76748_D,minHeight,2,The minimum height of this biome. Default 0.1. +field_76749_E,maxHeight,2,The maximum height of this biome. Default 0.3. +field_76750_F,temperature,2,The temperature of this biome. +field_76751_G,rainfall,2,The rainfall in this biome. +field_76752_A,topBlock,2,The block expected to be on the top of this biome +field_76753_B,fillerBlock,2,The block to fill spots in when not on the top +field_76755_L,spawnableWaterCreatureList,2,Holds the classes of any aquatic creature that can be spawned in the water of the biome. +field_76756_M,biomeID,2,"The id number to this biome, and its index in the biomeList array." +field_76757_N,worldGeneratorTrees,2,The tree generator. +field_76758_O,worldGeneratorBigTree,2,The big tree generator. +field_76759_H,waterColorMultiplier,2,Color tint applied to water depending on biome +field_76760_I,theBiomeDecorator,2,The biome decorator. +field_76761_J,spawnableMonsterList,2,Holds the classes of IMobs (hostile mobs) that can be spawned in the biome. +field_76762_K,spawnableCreatureList,2,Holds the classes of any creature that can be spawned in the biome as friendly creature. +field_76763_Q,worldGeneratorSwamp,2,The swamp tree generator. +field_76764_P,worldGeneratorForest,2,The forest generator. +field_76765_S,enableRain,2,Is true (default) if the biome support rain (desert and nether can't have rain) +field_76766_R,enableSnow,2,Set to true if snow is enabled for this biome. +field_76767_f,forest,2, +field_76768_g,taiga,2, +field_76769_d,desert,2, +field_76770_e,extremeHills,2, +field_76771_b,ocean,2, +field_76772_c,plains,2, +field_76773_a,biomeList,2,"An array of all the biomes, indexed by biome id." +field_76774_n,icePlains,2, +field_76775_o,iceMountains,2, +field_76776_l,frozenOcean,2, +field_76777_m,frozenRiver,2, +field_76778_j,hell,2, +field_76779_k,sky,2,Is the biome used for sky world. +field_76780_h,swampland,2, +field_76781_i,river,2, +field_76782_w,jungle,2,Jungle biome identifier +field_76783_v,extremeHillsEdge,2,Extreme Hills Edge biome. +field_76784_u,taigaHills,2,Taiga Hills biome. +field_76785_t,forestHills,2,Forest Hills biome. +field_76786_s,desertHills,2,Desert Hills biome. +field_76787_r,beach,2,Beach biome. +field_76788_q,mushroomIslandShore,2, +field_76789_p,mushroomIsland,2, +field_76790_z,color,2, +field_76791_y,biomeName,2, +field_76792_x,jungleHills,2, +field_76798_D,mushroomsPerChunk,2,"The number of extra mushroom patches per chunk. It generates 1/4 this number in brown mushroom patches, and 1/8 this number in red mushroom patches. These mushrooms go beyond the default base number of mushrooms." +field_76799_E,reedsPerChunk,2,The number of reeds to generate per chunk. Reeds won't generate if the randomly selected placement is unsuitable. +field_76800_F,cactiPerChunk,2,The number of cactus plants to generate per chunk. Cacti only work on sand. +field_76801_G,sandPerChunk,2,The number of sand patches to generate per chunk. Sand patches only generate when part of it is underwater. +field_76802_A,flowersPerChunk,2,"The number of yellow flower patches to generate per chunk. The game generates much less than this number, since it attempts to generate them at a random altitude." +field_76803_B,grassPerChunk,2,The amount of tall grass to generate per chunk. +field_76804_C,deadBushPerChunk,2,The number of dead bushes to generate per chunk. Used in deserts and swamps. +field_76805_H,sandPerChunk2,2,The number of sand patches to generate per chunk. Sand patches only generate when part of it is underwater. There appear to be two separate fields for this. +field_76806_I,clayPerChunk,2,The number of clay patches to generate per chunk. Only generates when part of it is underwater. +field_76807_J,bigMushroomsPerChunk,2,Amount of big mushrooms per chunk +field_76808_K,generateLakes,2,True if decorator should generate surface lava & water +field_76809_f,clayGen,2,The clay generator. +field_76810_g,sandGen,2,The sand generator. +field_76811_d,chunk_Z,2,The Z-coordinate of the chunk currently being decorated +field_76812_e,biome,2,The biome generator object. +field_76813_b,randomGenerator,2,The Biome Decorator's random number generator. +field_76814_c,chunk_X,2,The X-coordinate of the chunk currently being decorated +field_76815_a,currentWorld,2,The world the BiomeDecorator is currently decorating +field_76816_n,redstoneGen,2,Field that holds redstone WorldGenMinable +field_76817_o,diamondGen,2,Field that holds diamond WorldGenMinable +field_76818_l,ironGen,2, +field_76819_m,goldGen,2,Field that holds gold WorldGenMinable +field_76820_j,gravelGen,2, +field_76821_k,coalGen,2, +field_76822_h,gravelAsSandGen,2,The gravel generator. +field_76823_i,dirtGen,2,The dirt generator. +field_76824_w,cactusGen,2,Field that holds WorldGenCactus +field_76825_v,reedGen,2,Field that holds WorldGenReed +field_76826_u,bigMushroomGen,2,Field that holds big mushroom generator +field_76827_t,mushroomRedGen,2,Field that holds mushroomRed WorldGenFlowers +field_76828_s,mushroomBrownGen,2,Field that holds mushroomBrown WorldGenFlowers +field_76829_r,plantRedGen,2,Field that holds one of the plantRed WorldGenFlowers +field_76830_q,plantYellowGen,2,Field that holds one of the plantYellow WorldGenFlowers +field_76831_p,lapisGen,2,Field that holds Lapis WorldGenMinable +field_76832_z,treesPerChunk,2,"The number of trees to attempt to generate per chunk. Up to 10 in forests, none in deserts." +field_76833_y,waterlilyPerChunk,2,Amount of waterlilys per chunk. +field_76834_x,waterlilyGen,2,The water lily generation! +field_76835_L,spikeGen,2, +field_76841_d,cache,2,The list of cached BiomeCacheBlocks +field_76842_b,lastCleanupTime,2,"The last time this BiomeCache was cleaned, in milliseconds." +field_76843_c,cacheMap,2,"The map of keys to BiomeCacheBlocks. Keys are based on the chunk x, z coordinates as (x | z << 32)." +field_76844_a,chunkManager,2,Reference to the WorldChunkManager +field_76886_f,lastAccessTime,2,"The last time this BiomeCacheBlock was accessed, in milliseconds." +field_76887_g,theBiomeCache,2,The BiomeCache object that contains this BiomeCacheBlock +field_76888_d,xPosition,2,The x coordinate of the BiomeCacheBlock. +field_76889_e,zPosition,2,The z coordinate of the BiomeCacheBlock. +field_76890_b,rainfallValues,2,An array of chunk rainfall values saved by this cache. +field_76891_c,biomes,2,The array of biome types stored in this BiomeCacheBlock. +field_76892_a,temperatureValues,2,An array of chunk temperatures saved by this cache. +field_76898_b,tileEntityRenderer,2,The TileEntityRenderer instance associated with this TileEntitySpecialRenderer +field_76900_a,theEnderChestModel,2,The Ender Chest Chest's model. +field_76902_a,enchantmentBook,2, +field_76904_a,blockRenderer,2,instance of RenderBlocks used to draw the piston base and extension. +field_76910_a,modelSign,2,The ModelSign instance used by the TileEntitySignRenderer +field_76912_c,largeChestModel,2,The large double chest model. +field_76913_a,chestModel,2,The normal small chest model. +field_76922_f,eventParameter,2,"Different for each blockID, eventID" +field_76923_d,blockID,2, +field_76924_e,eventID,2,Different for each blockID +field_76925_b,coordY,2, +field_76926_c,coordZ,2, +field_76927_a,coordX,2, +field_76928_b,y,2,The y coordinate of this ChunkPosition +field_76929_c,z,2,The z coordinate of this ChunkPosition +field_76930_a,x,2,The x coordinate of this ChunkPosition +field_76942_f,biomeCache,2,The BiomeCache object for this world. +field_76943_g,biomesToSpawnIn,2,A list of biomes that the player can spawn in. +field_76944_d,genBiomes,2, +field_76945_e,biomeIndexLayer,2,A GenLayer containing the indices into BiomeGenBase.biomeList[] +field_76946_f,rainfall,2,The rainfall in the world +field_76947_d,biomeGenerator,2,The biome generator object. +field_76948_e,hellTemperature,2, +field_76957_f,worldObj,2,Reference to the World object. +field_76958_g,entityLivingPlayer,2, +field_76959_d,staticPlayerZ,2,The player's current Z position (same as playerZ) +field_76960_e,renderEngine,2,The RenderEngine instance used by the TileEntityRenderer +field_76961_b,staticPlayerX,2,The player's current X position (same as playerX) +field_76962_c,staticPlayerY,2,The player's current Y position (same as playerY) +field_76963_a,instance,2,The static instance of TileEntityRenderer +field_76964_n,fontRenderer,2,The FontRenderer instance used by the TileEntityRenderer +field_76965_l,playerZ,2,The player's Z position in this rendering context +field_76966_m,specialRendererMap,2,A mapping of TileEntitySpecialRenderers used for each TileEntity that has one +field_76967_j,playerX,2,The player's X position in this rendering context +field_76968_k,playerY,2,The player's Y position in this rendering context +field_76969_h,playerYaw,2, +field_76970_i,playerPitch,2, +field_76972_a,theIntegratedServer,2,Reference to the IntegratedServer object. +field_76974_a,theIntegratedServer,2,Reference to the IntegratedServer object. +field_76987_f,shadowOpaque,2,Determines the darkness of the object's shadow. Higher value makes a darker shadow. +field_76988_d,renderBlocks,2, +field_76989_e,shadowSize,2, +field_76990_c,renderManager,2, +field_76991_a,modelBase,2, +field_76993_a,blockRenderer,2, +field_76998_a,modelBoat,2,instance of ModelBoat for rendering +field_77004_a,sandRenderBlocks,2, +field_77013_a,modelMinecart,2,instance of ModelMinecart for rendering +field_77022_g,itemRenderBlocks,2, +field_77023_b,zLevel,2,Defines the zLevel of rendering of item on GUI. +field_77024_a,renderWithColor,2, +field_77025_h,random,2,The RNG used in RenderItem (for bobbing itemstacks on the ground) +field_77045_g,mainModel,2, +field_77046_h,renderPassModel,2,The model to be used during the render passes. +field_77050_a,ironGolemModel,2,Iron Golem's Model. +field_77056_a,villagerModel,2,Model of the villager. +field_77064_a,creeperModel,2,The creeper model. +field_77071_a,modelBipedMain,2, +field_77073_a,scale,2,Scale of the model to use +field_77077_b,rnd,2, +field_77078_a,endermanModel,2,The model of the enderman +field_77084_b,modelDragon,2,An instance of the dragon model in RenderDragon +field_77086_i,updateModelState,2,Reloads the dragon model if not equal to 4. Presumably a leftover debugging field. +field_77092_a,scaleAmount,2, +field_77094_a,snowmanModel,2,A reference to the Snowman model in RenderSnowMan. +field_77108_b,modelArmorChestplate,2, +field_77109_a,modelBipedMain,2, +field_77110_j,armorFilenamePrefix,2, +field_77111_i,modelArmor,2, +field_77133_f,worldType,2,'default' or 'flat' +field_77134_g,generatorVersion,2,The int version of the ChunkProvider that generated this world. +field_77135_d,LARGE_BIOMES,2,Large Biome world Type. +field_77136_e,DEFAULT_1_1,2,Default (1.1) world type. +field_77137_b,DEFAULT,2,Default world type. +field_77138_c,FLAT,2,Flat world type. +field_77139_a,worldTypes,2,List of world types. +field_77140_h,canBeCreated,2,Whether this world type can be generated. Normally true; set to false for out-of-date generator versions. +field_77141_i,isWorldTypeVersioned,2,Whether this WorldType has a version or not. +field_77151_f,name,2, +field_77154_e,id,2, +field_77168_f,commandsAllowed,2,True if Commands (cheats) are allowed. +field_77169_g,bonusChestEnabled,2,True if the Bonus Chest is enabled. +field_77170_d,hardcoreEnabled,2,True if hardcore mode is enabled +field_77171_e,terrainType,2, +field_77172_b,theGameType,2,The EnumGameType. +field_77173_c,mapFeaturesEnabled,2,"Switch for the map features. 'true' for enabled, 'false' for disabled." +field_77174_a,seed,2,The seed for the map. +field_77177_f,nextTickEntryID,2,The id number for the next tick entry +field_77178_g,tickEntryID,2,The id of the tick entry +field_77179_d,blockID,2,blockID of the scheduled tick (ensures when the tick occurs its still for this block) +field_77180_e,scheduledTime,2,Time this tick is scheduled to occur at +field_77181_b,yCoord,2,Y position this tick is occuring at +field_77182_c,zCoord,2,Z position this tick is occuring at +field_77183_a,xCoord,2,X position this tick is occuring at +field_77187_a,random,2,A private Random() function in Teleporter +field_77193_b,eligibleChunksForSpawning,2,The 17x17 area around the player where mobs can spawn +field_77194_a,nightSpawnEntities,2,An array of entity classes that spawn at night. +field_77198_c,defaultLightValue,2, +field_77227_f,mouseY,2,Y axis position of the mouse +field_77228_g,width,2,"The width of the GuiScreen. Affects the container rendering, but not the overlays." +field_77229_d,slotHeight,2,The height of a slot. +field_77230_e,mouseX,2,X axis position of the mouse +field_77231_b,top,2,The top of the slot container. Affects the overlays and scrolling. +field_77232_c,bottom,2,The bottom of the slot container. Affects the overlays and scrolling. +field_77233_a,mc,2, +field_77234_n,scrollMultiplier,2,what to multiply the amount you moved your mouse by(used for slowing down scrolling when over the items and no on scroll bar) +field_77235_o,amountScrolled,2,how far down this slot has been scrolled +field_77236_l,scrollDownButtonID,2,the buttonID of the button used to scroll down +field_77237_m,initialClickY,2,where the mouse was in the window when you first clicked to scroll +field_77238_j,left,2, +field_77239_k,scrollUpButtonID,2,button id of the button used to scroll up +field_77240_h,height,2,"The height of the GuiScreen. Affects the container rendering, but not the overlays or the scrolling." +field_77241_i,right,2, +field_77244_r,showSelectionBox,2,true if a selected element in this gui will show an outline box +field_77245_q,lastClicked,2,the time when this button was last clicked. +field_77246_p,selectedElement,2,the element in the list that was selected +field_77250_a,parentGui,2,Instance to the GUI this list is on. +field_77252_a,languageGui,2, +field_77254_a,parentWorldGui,2, +field_77255_a,snooperGui,2, +field_77256_a,statsGui,2, +field_77263_l,statsGui,2, +field_77268_a,theStats,2,Instance of GuiStats. +field_77269_a,slotGuiStats,2,Instance of GuiStats. +field_77270_a,parentTexturePackGui,2, +field_77275_b,chunkZPos,2,The Z position of this Chunk Coordinate Pair +field_77276_a,chunkXPos,2,The X position of this Chunk Coordinate Pair +field_77280_f,explosionSize,2, +field_77281_g,affectedBlockPositions,2,A list of ChunkPositions of blocks affected by this explosion +field_77282_d,explosionZ,2, +field_77283_e,exploder,2, +field_77284_b,explosionX,2, +field_77285_c,explosionY,2, +field_77286_a,isFlaming,2,whether or not the explosion sets fire to blocks around it +field_77287_j,worldObj,2, +field_77290_i,explosionRNG,2, +field_77308_f,texturePackCache,2,A mapping of texture IDs to TexturePackBase objects used by updateAvaliableTexturePacks() to avoid reloading texture packs that haven't changed on disk. +field_77309_g,selectedTexturePack,2,The TexturePack that will be used. +field_77310_d,mpTexturePackFolder,2,Folder for the multi-player texturepacks. Returns File. +field_77311_e,availableTexturePacks,2,The list of the available texture packs. +field_77312_b,mc,2,The Minecraft instance. +field_77313_c,texturePackDir,2,The directory the texture packs will be loaded from. +field_77314_a,defaultTexturePack,2,An instance of TexturePackDefault for the always available builtin texture pack. +field_77315_h,isDownloading,2,True if a texture pack is downloading in the background. +field_77327_f,blastProtection,2,Protection against explosions +field_77328_g,projectileProtection,2,Protection against projectile entities (e.g. arrows) +field_77329_d,fireProtection,2,Protection against fire +field_77330_e,featherFalling,2,Less fall damage +field_77331_b,enchantmentsList,2, +field_77332_c,protection,2,Converts environmental damage to armour damage +field_77333_a,weight,2, +field_77334_n,fireAspect,2,Lights mobs on fire +field_77335_o,looting,2,Mobs have a chance to drop more loot +field_77336_l,baneOfArthropods,2,"Extra damage to spiders, cave spiders and silverfish" +field_77337_m,knockback,2,Knocks mob and players backwards upon hit +field_77338_j,sharpness,2,Extra damage to mobs +field_77339_k,smite,2,"Extra damage to zombies, zombie pigmen and skeletons" +field_77340_h,respiration,2,Decreases the rate of air loss underwater; increases time between damage while suffocating +field_77341_i,aquaAffinity,2,Increases underwater mining rate +field_77342_w,infinity,2,"Infinity enchantment for bows. The bow will not consume arrows anymore, but will still required at least one arrow on inventory use the bow." +field_77343_v,flame,2,Flame enchantment for bows. Arrows fired by the bow will be on fire. Any target hit will also set on fire. +field_77344_u,punch,2,"Knockback enchantments for bows, the arrows will knockback the target when hit." +field_77345_t,power,2,"Power enchantment for bows, add's extra damage to arrows." +field_77346_s,fortune,2,Can multiply the drop rate of items from blocks +field_77347_r,unbreaking,2,"Sometimes, the tool's durability will not be spent when the tool is used" +field_77348_q,silkTouch,2,"Blocks mined will drop themselves, even if it should drop something else (e.g. stone will drop stone, not cobblestone)" +field_77349_p,efficiency,2,Faster resource gathering while in use +field_77350_z,name,2,Used in localisation and stats. +field_77351_y,type,2,The EnumEnchantmentType given to this Enchantment. +field_77352_x,effectId,2, +field_77353_D,thresholdEnchantability,2,"Used on the formula of base enchantability, this is the 'window' factor of values to be able to use thing enchant." +field_77354_A,protectionName,2,Holds the name to be translated of each protection type. +field_77355_B,baseEnchantability,2,Holds the base factor of enchantability needed to be able to use the enchant. +field_77356_a,protectionType,2,"Defines the type of protection of the enchantment, 0 = all, 1 = fire, 2 = fall (feather fall), 3 = explosion and 4 = projectile." +field_77357_C,levelEnchantability,2,Holds how much each level increased the enchantability factor to be able to use this enchant. +field_77358_D,thresholdEnchantability,2,"Used on the formula of base enchantability, this is the 'window' factor of values to be able to use thing enchant." +field_77359_A,protectionName,2,Holds the name to be translated of each protection type. +field_77360_B,baseEnchantability,2,Holds the base factor of enchantability needed to be able to use the enchant. +field_77361_a,damageType,2,"Defines the type of damage of the enchantment, 0 = all, 1 = undead, 3 = arthropods" +field_77362_C,levelEnchantability,2,Holds how much each level increased the enchantability factor to be able to use this enchant. +field_77375_f,options,2,A reference to the game settings. +field_77376_g,loaded,2,Set to true when the SoundManager has been initialised. +field_77377_d,soundPoolMusic,2,Sound pool containing music. +field_77378_e,latestSoundID,2,"The last ID used when a sound is played, passed into SoundSystem to give active sounds a unique ID" +field_77379_b,soundPoolSounds,2,Sound pool containing sounds. +field_77380_c,soundPoolStreaming,2,Sound pool containing streaming audio. +field_77381_a,sndSystem,2,A reference to the sound system. +field_77382_h,rand,2,RNG. +field_77383_i,ticksBeforeMusic,2, +field_77384_b,soundUrl,2, +field_77385_a,soundName,2, +field_77386_d,inputStream,2, +field_77387_b,codec,2, +field_77388_c,hash,2, +field_77389_a,buffer,2, +field_77400_d,toolUses,2,Saves how much has been tool used when put into to slot to be enchanted. +field_77401_b,secondItemToBuy,2,Second Item the Villager buys. +field_77402_c,itemToSell,2,Item the Villager sells. +field_77403_a,itemToBuy,2,Item the Villager buys. +field_77405_a,theWorld,2,Reference to the World object. +field_77426_f,dataFile,2,A file named 'stats_' [lower case username] '.dat' +field_77427_g,unsentTempFile,2,A file named 'stats_' [lower case username] '_unsent.tmp' +field_77428_d,statFileWriter,2,"The StatFileWriter object, presumably used to write to the statistics files" +field_77429_e,unsentDataFile,2,A file named 'stats_' [lower case username] '_unsent.dat' +field_77432_a,isBusy,2, +field_77435_j,oldFile,2,A file named 'stats_' [lower case username] '.old' +field_77436_k,theSession,2,The Session object +field_77437_h,tempFile,2,A file named 'stats_' [lower case username] '.tmp' +field_77438_i,unsentOldFile,2,A file named 'stats_' [lower case username] '_unsent.old' +field_77440_a,theWorld,2,Reference to the World object. +field_77454_d,statsSyncher,2, +field_77461_d,nameToSoundPoolEntriesMapping,2,Maps a name (can be sound/newsound/streaming/music/newmusic) to a list of SoundPoolEntry's. +field_77462_e,allSoundPoolEntries,2,A list of all SoundPoolEntries that have been loaded. +field_77463_b,isGetRandomSound,2, +field_77464_c,rand,2,The RNG used by SoundPool. +field_77465_a,numberOfSoundPoolEntries,2,The number of soundPoolEntry's. This value is computed but never used (should be equal to allSoundPoolEntries.size()). +field_77471_a,foliageBuffer,2,Color buffer for foliage +field_77476_b,lightmapTexUnit,2,"An OpenGL constant corresponding to GL_TEXTURE1, used when setting data pertaining to auxiliary OpenGL texture units." +field_77477_c,useMultitextureARB,2,True if the renderer supports multitextures and the OpenGL version != 1.3 +field_77478_a,defaultTexUnit,2,"An OpenGL constant corresponding to GL_TEXTURE0, used when setting data pertaining to auxiliary OpenGL texture units." +field_77481_a,grassBuffer,2,Color buffer for grass +field_77482_b,syncher,2, +field_77485_a,theWorld,2,Reference to the World object. +field_77486_a,syncher,2, +field_77490_b,lanServerIpPort,2, +field_77491_c,timeLastSeen,2,Last time this LanServer was seen. +field_77492_a,lanServerMotd,2, +field_77494_b,entityLiving,2,Used as parameter to calculate the (magic) extra damage based on enchantments of current equipped player item. +field_77495_a,livingModifier,2,Used to calculate the (magic) extra damage based on enchantments of current equipped player item. +field_77496_b,source,2,Used as parameter to calculate the damage modifier (extra armor) on enchantments that the player have on equipped armors. +field_77497_a,damageModifier,2,Used to calculate the damage modifier (extra armor) on enchantments that the player have on equipped armors. +field_77498_b,broadcastAddress,2,InetAddress for 224.0.2.60 +field_77499_c,socket,2,The socket we're using to receive packets on. +field_77500_a,localServerList,2,The LanServerList +field_77520_b,enchantmentModifierDamage,2,Used to calculate the extra armor of enchantments on armors equipped on player. +field_77521_c,enchantmentModifierLiving,2,Used to calculate the (magic) extra damage done by enchantments on current equipped item of player. +field_77522_a,enchantmentRand,2,Is the random seed of enchantment effects. +field_77526_d,isStopping,2, +field_77527_e,address,2, +field_77528_b,motd,2, +field_77529_c,socket,2,The socket we're using to send packets on. +field_77542_f,texturePackFileName,2,"The name of the texture pack's zip file/directory or ""Default"" for the builtin texture pack. Shown in the GUI." +field_77543_g,thumbnailTextureName,2,The texture id for this pcak's thumbnail image. +field_77544_d,thumbnailImage,2,The texture pack's thumbnail image loaded from the /pack.png file. +field_77545_e,texturePackID,2,Texture pack ID as returnd by generateTexturePackID(). Used only internally and not visible to the user. +field_77546_b,firstDescriptionLine,2,First line of texture pack description (from /pack.txt) displayed in the GUI +field_77547_c,secondDescriptionLine,2,Second line of texture pack description (from /pack.txt) displayed in the GUI +field_77548_a,texturePackFile,2,File object for the texture pack's zip file in TexturePackCustom or the directory in TexturePackFolder. +field_77550_e,texturePackZipFile,2,ZipFile object used to access the texture pack file's contents. +field_77555_b,listOfLanServers,2, +field_77556_a,wasUpdated,2, +field_77574_d,recipeItems,2,Is a array of ItemStack that composes the recipe. +field_77575_e,recipeOutput,2,Is the ItemStack that you get when craft the recipe. +field_77576_b,recipeWidth,2,How many horizontal slots this recipe is wide. +field_77577_c,recipeHeight,2,How many vertical slots this recipe uses. +field_77578_a,recipeOutputItemID,2,Is the itemID of the output item that you get when craft the recipe. +field_77579_b,recipeItems,2,Is a List of ItemStack that composes the recipe. +field_77580_a,recipeOutput,2,Is the ItemStack that you get when craft the recipe. +field_77582_a,craftingManager,2, +field_77584_b,recipeItems,2, +field_77585_a,recipePatterns,2, +field_77587_b,recipeItems,2, +field_77588_a,recipePatterns,2, +field_77591_a,recipeItems,2, +field_77597_b,recipes,2,A list of all the recipes added +field_77598_a,instance,2,The static instance of this class +field_77604_b,smeltingList,2,The list of smelting results. +field_77605_c,experienceList,2, +field_77606_a,smeltingBase,2, +field_77610_b,recipeItems,2, +field_77611_a,recipePatterns,2, +field_77669_D,stick,2, +field_77670_E,bowlEmpty,2, +field_77671_F,bowlSoup,2, +field_77672_G,swordGold,2, +field_77673_A,shovelDiamond,2, +field_77674_B,pickaxeDiamond,2, +field_77675_C,axeDiamond,2, +field_77676_L,feather,2, +field_77677_M,gunpowder,2, +field_77678_N,hoeWood,2, +field_77679_O,hoeStone,2, +field_77680_H,shovelGold,2, +field_77681_I,pickaxeGold,2, +field_77682_J,axeGold,2, +field_77683_K,silk,2, +field_77684_U,bread,2, +field_77685_T,wheat,2, +field_77686_W,plateLeather,2, +field_77687_V,helmetLeather,2, +field_77688_Q,hoeDiamond,2, +field_77689_P,hoeIron,2, +field_77690_S,seeds,2, +field_77691_R,hoeGold,2, +field_77692_Y,bootsLeather,2, +field_77693_X,legsLeather,2, +field_77694_Z,helmetChain,2, +field_77695_f,shovelIron,2, +field_77696_g,pickaxeIron,2, +field_77697_d,itemRand,2,The RNG used by the Item subclasses. +field_77698_e,itemsList,2,A 32000 elements Item array. +field_77699_b,maxDamage,2,Maximum damage an item can handle. +field_77700_c,containerItem,2, +field_77701_a,tabToDisplayOn,2, +field_77702_n,diamond,2, +field_77703_o,ingotIron,2, +field_77704_l,arrow,2, +field_77705_m,coal,2, +field_77706_j,appleRed,2, +field_77707_k,bow,2, +field_77708_h,axeIron,2, +field_77709_i,flintAndSteel,2, +field_77710_w,shovelStone,2, +field_77711_v,swordStone,2, +field_77712_u,axeWood,2, +field_77713_t,pickaxeWood,2, +field_77714_s,shovelWood,2, +field_77715_r,swordWood,2, +field_77716_q,swordIron,2, +field_77717_p,ingotGold,2, +field_77718_z,swordDiamond,2, +field_77719_y,axeStone,2, +field_77720_x,pickaxeStone,2, +field_77721_bz,cauldron,2, +field_77722_bw,blazePowder,2, +field_77723_bv,fermentedSpiderEye,2, +field_77724_by,brewingStand,2, +field_77725_bx,magmaCream,2, +field_77726_bs,potion,2, +field_77727_br,netherStalkSeeds,2, +field_77728_bu,spiderEye,2, +field_77729_bt,glassBottle,2, +field_77730_bn,enderPearl,2, +field_77731_bo,blazeRod,2, +field_77732_bp,ghastTear,2, +field_77733_bq,goldNugget,2, +field_77734_bj,beefCooked,2, +field_77735_bk,chickenRaw,2, +field_77736_bl,chickenCooked,2, +field_77737_bm,rottenFlesh,2, +field_77738_bf,melon,2, +field_77739_bg,pumpkinSeeds,2, +field_77740_bh,melonSeeds,2, +field_77741_bi,beefRaw,2, +field_77742_bb,redstoneRepeater,2, +field_77743_bc,cookie,2, +field_77744_bd,map,2, +field_77745_be,shears,2,"Item introduced on 1.7 version, is a shear to cut leaves (you can keep the block) or get wool from sheeps." +field_77746_aZ,cake,2, +field_77747_aY,sugar,2, +field_77748_bA,eyeOfEnder,2, +field_77749_aR,fishingRod,2, +field_77750_aQ,compass,2, +field_77751_aT,lightStoneDust,2, +field_77752_aS,pocketSundial,2, +field_77753_aV,fishCooked,2, +field_77754_aU,fishRaw,2, +field_77755_aX,bone,2, +field_77756_aW,dyePowder,2, +field_77757_aI,clay,2, +field_77758_aJ,reed,2, +field_77759_aK,paper,2, +field_77760_aL,book,2, +field_77761_aM,slimeBall,2, +field_77762_aN,minecartCrate,2, +field_77763_aO,minecartPowered,2, +field_77764_aP,egg,2, +field_77765_aA,saddle,2, +field_77766_aB,doorIron,2, +field_77767_aC,redstone,2, +field_77768_aD,snowball,2, +field_77769_aE,boat,2, +field_77770_aF,leather,2, +field_77771_aG,bucketMilk,2, +field_77772_aH,brick,2, +field_77773_az,minecartEmpty,2, +field_77774_bZ,unlocalizedName,2,The unlocalized name of this item. +field_77775_ay,bucketLava,2, +field_77776_ba,bed,2, +field_77777_bU,maxStackSize,2,Maximum size of the stack. +field_77778_at,appleGold,2, +field_77779_bT,itemID,2,The ID of this item. +field_77780_as,painting,2, +field_77781_bS,record11,2, +field_77782_ar,porkCooked,2, +field_77783_bR,recordWard,2, +field_77784_aq,porkRaw,2, +field_77785_bY,potionEffect,2, +field_77786_ax,bucketWater,2, +field_77787_bX,hasSubtypes,2,"Some items (like dyes) have multiple subtypes on same item, this is field define this behavior" +field_77788_aw,bucketEmpty,2, +field_77789_bW,bFull3D,2,"If true, render the object in full 3D, like weapons and tools." +field_77790_av,doorWood,2, +field_77791_bV,itemIcon,2,Icon index in the icons table. +field_77792_au,sign,2, +field_77793_bL,recordChirp,2, +field_77794_ak,bootsDiamond,2, +field_77795_bM,recordFar,2, +field_77796_al,helmetGold,2, +field_77797_bJ,recordCat,2, +field_77798_ai,plateDiamond,2, +field_77799_bK,recordBlocks,2, +field_77800_aj,legsDiamond,2, +field_77801_bP,recordStal,2, +field_77802_ao,bootsGold,2, +field_77803_bQ,recordStrad,2, +field_77804_ap,flint,2, +field_77805_bN,recordMall,2, +field_77806_am,plateGold,2, +field_77807_bO,recordMellohi,2, +field_77808_an,legsGold,2, +field_77809_bD,expBottle,2,Bottle o' Enchanting. Drops between 1 and 3 experience orbs when thrown. +field_77810_ac,bootsChain,2, +field_77811_bE,fireballCharge,2,Fire Charge. When used in a dispenser it fires a fireball similiar to a Ghast's. +field_77812_ad,helmetIron,2, +field_77813_bB,speckledMelon,2, +field_77814_aa,plateChain,2, +field_77815_bC,monsterPlacer,2, +field_77816_ab,legsChain,2, +field_77817_bH,emerald,2, +field_77818_ag,bootsIron,2, +field_77819_bI,record13,2, +field_77820_ah,helmetDiamond,2, +field_77821_bF,writableBook,2, +field_77822_ae,plateIron,2, +field_77823_bG,writtenBook,2, +field_77824_af,legsIron,2, +field_77826_b,toolMaterial,2, +field_77827_a,weaponDamage,2, +field_77830_a,spawnID,2,The ID of the block the reed will spawn when used from inventory bar. +field_77836_a,effectCache,2,maps potion damage values to lists of effect names +field_77837_a,recordName,2,The name of the record. +field_77838_b,soilBlockID,2,BlockID of the block the seeds can be planted on. +field_77839_a,blockType,2,The type of block this seed turns into (wheat or pumpkin stems for instance) +field_77841_a,minecartType,2, +field_77843_a,theToolMaterial,2, +field_77850_cb,potionDuration,2,set by setPotionEffect +field_77851_ca,potionId,2,represents the potion effect that will occurr upon eating this food. Set by setPotionEffect +field_77852_bZ,alwaysEdible,2,"If this field is true, the food can be consumed even if the player don't need to eat." +field_77853_b,healAmount,2,The amount this food item heals the player. +field_77854_c,saturationModifier,2, +field_77855_a,itemUseDuration,2,Number of ticks to run while 'EnumAction'ing until result. +field_77856_bY,isWolfsFavoriteMeat,2,Whether wolves like this food (true for raw and cooked porkchop). +field_77857_cc,potionAmplifier,2,set by setPotionEffect +field_77858_cd,potionEffectProbability,2,probably of the set potion effect occurring +field_77859_b,dyeColors,2, +field_77860_a,dyeColorNames,2,List of dye color names +field_77862_b,toolMaterial,2,The material this tool is made from. +field_77863_c,blocksEffectiveAgainst,2,Array of blocks the tool has extra effect against. +field_77864_a,efficiencyOnProperMaterial,2, +field_77865_bY,damageVsEntity,2,Damage versus entities. +field_77866_c,blocksEffectiveAgainst,2,an array of the blocks this spade is effective against +field_77867_c,blocksEffectiveAgainst,2,an array of the blocks this pickaxe is effective against +field_77868_c,blocksEffectiveAgainst,2,an array of the blocks this axe is effective against +field_77870_a,doorMaterial,2, +field_77876_a,isFull,2,field for checking if the bucket has been filled. +field_77878_bZ,material,2,The EnumArmorMaterial used for this ItemArmor +field_77879_b,damageReduceAmount,2,Holds the amount of damage that the armor reduces at full durability. +field_77880_c,renderIndex,2,"Used on RenderPlayer to select the correspondent armor to be rendered on the player: 0 is cloth, 1 is chain, 2 is iron, 3 is diamond and 4 is gold." +field_77881_a,armorType,2,"Stores the armor type: 0 is helmet, 1 is plate, 2 is legs and 3 is boots" +field_77882_bY,maxDamageArray,2,Holds the 'base' maxDamage that each armorType have. +field_77885_a,blockID,2,The block ID of the Block associated with this ItemBlock +field_77889_b,theHalfSlab,2,Instance of BlockHalfSlab. +field_77890_c,doubleSlab,2,The double-slab block corresponding to this item. +field_77891_a,isFullBlock,2, +field_77895_b,blockNames,2, +field_77896_a,blockRef,2, +field_77918_f,speckledMelonEffect,2, +field_77919_g,blazePowderEffect,2, +field_77920_d,spiderEyeEffect,2, +field_77921_e,fermentedSpiderEyeEffect,2, +field_77922_b,sugarEffect,2, +field_77923_c,ghastTearEffect,2, +field_77926_o,potionPrefixes,2,"An array of possible potion prefix names, as translation IDs." +field_77927_l,potionRequirements,2, +field_77928_m,potionAmplifiers,2,Potion effect amplifier map +field_77929_j,glowstoneEffect,2, +field_77930_k,gunpowderEffect,2, +field_77931_h,magmaCreamEffect,2, +field_77932_i,redstoneEffect,2, +field_77934_f,rarityName,2,Rarity name. +field_77937_e,rarityColor,2,A decimal representation of the hex color codes of a the color assigned to this rarity type. (13 becomes d as in \247d which is light purple) +field_77990_d,stackTagCompound,2,A NBTTagMap containing data about an ItemStack. Can only be used for non stackable items +field_77991_e,itemDamage,2,Damage dealt to the item or number of use. Raise when using items. +field_77992_b,animationsToGo,2,"Number of animation frames to go when receiving an item (by walking into it, for example)." +field_77993_c,itemID,2,ID of the item. +field_77994_a,stackSize,2,Size of the stack. +field_78001_f,harvestLevel,2,"The level of material this tool can harvest (3 = DIAMOND, 2 = IRON, 1 = STONE, 0 = IRON/GOLD)" +field_78002_g,maxUses,2,"The number of uses this material allows. (wood = 59, stone = 131, iron = 250, diamond = 1561, gold = 32)" +field_78008_j,enchantability,2,Defines the natural enchantability factor of the material. +field_78010_h,efficiencyOnProperMaterial,2,The strength of this tool material against blocks which it is effective against. +field_78011_i,damageVsEntity,2,Damage versus entities. +field_78026_f,tabMisc,2, +field_78027_g,tabAllSearch,2, +field_78028_d,tabRedstone,2, +field_78029_e,tabTransport,2, +field_78030_b,tabBlock,2, +field_78031_c,tabDecorations,2, +field_78032_a,creativeTabArray,2, +field_78033_n,tabIndex,2, +field_78034_o,tabLabel,2, +field_78035_l,tabMaterials,2, +field_78036_m,tabInventory,2, +field_78037_j,tabCombat,2, +field_78038_k,tabBrewing,2, +field_78039_h,tabFood,2, +field_78040_i,tabTools,2, +field_78041_r,drawTitle,2,Whether to draw the title in the foreground of the creative GUI +field_78042_q,hasScrollbar,2, +field_78043_p,backgroundImageName,2,Texture to use. +field_78048_f,maxDamageFactor,2,"Holds the maximum damage factor (each piece multiply this by it's own value) of the material, this is the item damage (how much can absorb before breaks)" +field_78049_g,damageReductionAmountArray,2,"Holds the damage reduction (each 1 points is half a shield on gui) of each piece of armor (helmet, plate, legs and boots)" +field_78055_h,enchantability,2,Return the enchantability factor of the material +field_78059_b,rand,2,The RNG used to generate enchant names. +field_78060_c,wordList,2,List of words used to generate an enchant name. +field_78061_a,instance,2,The static instance of this class. +field_78065_f,velocityY,2, +field_78066_g,accelScale,2, +field_78067_d,prevPosY,2, +field_78068_e,velocityX,2, +field_78069_b,posY,2, +field_78070_c,prevPosX,2, +field_78071_a,posX,2, +field_78072_n,tintAlpha,2, +field_78073_o,prevTintRed,2, +field_78074_l,tintGreen,2, +field_78075_m,tintBlue,2, +field_78076_j,timeLimit,2, +field_78077_k,tintRed,2, +field_78078_h,isDead,2, +field_78079_i,timeTick,2, +field_78080_s,rand,2, +field_78081_r,prevTintAlpha,2, +field_78082_q,prevTintBlue,2, +field_78083_p,prevTintGreen,2, +field_78089_u,textureHeight,2, +field_78090_t,textureWidth,2, +field_78091_s,isChild,2, +field_78092_r,boxList,2,This is a list of all the boxes (ModelRenderer.class) in the current model. +field_78093_q,isRiding,2, +field_78094_a,modelTextureMap,2,A mapping for all texture offsets +field_78095_p,onGround,2, +field_78096_f,flippingPageLeft,2,Right cover renderer (when facing the book) +field_78097_g,bookSpine,2,The renderer of spine of the book +field_78098_d,pagesLeft,2,The left pages renderer (when facing the book) +field_78099_e,flippingPageRight,2,Right cover renderer (when facing the book) +field_78100_b,coverLeft,2,Left cover renderer (when facing the book) +field_78101_c,pagesRight,2,The right pages renderer (when facing the book) +field_78102_a,coverRight,2,Right cover renderer (when facing the book) +field_78103_a,boatSides,2, +field_78105_b,blazeHead,2, +field_78106_a,blazeSticks,2,The sticks that fly around the Blaze. +field_78112_f,bipedRightArm,2, +field_78113_g,bipedLeftArm,2, +field_78114_d,bipedHeadwear,2, +field_78115_e,bipedBody,2, +field_78116_c,bipedHead,2, +field_78117_n,isSneak,2, +field_78118_o,aimedBow,2,Records whether the model should be rendered aiming a bow. +field_78119_l,heldItemLeft,2,"Records whether the model should be rendered holding an item in the left hand, and if that item is a block." +field_78120_m,heldItemRight,2,"Records whether the model should be rendered holding an item in the right hand, and if that item is a block." +field_78121_j,bipedEars,2, +field_78122_k,bipedCloak,2, +field_78123_h,bipedRightLeg,2, +field_78124_i,bipedLeftLeg,2, +field_78125_b,isAttacking,2,Is the enderman attacking an entity? +field_78126_a,isCarrying,2,Is the enderman carrying a block? +field_78127_b,tentacles,2, +field_78128_a,body,2, +field_78129_f,leg3,2, +field_78130_g,leg4,2, +field_78131_d,leg1,2, +field_78132_e,leg2,2, +field_78134_c,body,2, +field_78135_a,head,2, +field_78136_f,leftWing,2, +field_78137_g,bill,2, +field_78138_d,leftLeg,2, +field_78139_e,rightWing,2, +field_78140_b,body,2, +field_78141_c,rightLeg,2, +field_78142_a,head,2, +field_78143_h,chin,2, +field_78144_f,leg4,2, +field_78146_d,leg2,2, +field_78147_e,leg3,2, +field_78148_b,body,2, +field_78149_c,leg1,2, +field_78150_a,head,2, +field_78154_a,sideModels,2, +field_78155_f,ocelotTail2,2,The second part of tail model for the Ocelot. +field_78156_g,ocelotHead,2,The head model for the Ocelot. +field_78157_d,ocelotFrontRightLeg,2,The front right leg model for the Ocelot. +field_78158_e,ocelotTail,2,The tail model for the Ocelot. +field_78159_b,ocelotBackRightLeg,2,The back right leg model for the Ocelot. +field_78160_c,ocelotFrontLeftLeg,2,The front left leg model for the Ocelot. +field_78161_a,ocelotBackLeftLeg,2,The back left leg model for the Ocelot. +field_78162_h,ocelotBody,2,The body model for the Ocelot. +field_78165_b,signStick,2,The stick a sign stands on. +field_78166_a,signBoard,2,The board on a sign that has the writing on it. +field_78167_d,silverfishBoxLength,2,"The widths, heights, and lengths for the silverfish model boxes." +field_78168_e,silverfishTexturePositions,2,The texture positions for the silverfish's model's boxes. +field_78169_b,silverfishWings,2,The wings (dust-looking sprites) on the silverfish's model. +field_78171_a,silverfishBodyParts,2,The body parts of the silverfish's model. +field_78173_f,ironGolemRightLeg,2,The right leg model for the Iron Golem. +field_78174_d,ironGolemLeftArm,2,The left arm model for the iron golem. +field_78175_e,ironGolemLeftLeg,2,The left leg model for the Iron Golem. +field_78176_b,ironGolemBody,2,The body model for the iron golem. +field_78177_c,ironGolemRightArm,2,The right arm model for the iron golem. +field_78178_a,ironGolemHead,2,The head model for the iron golem. +field_78179_f,wolfLeg4,2,Wolf's fourth leg +field_78180_g,wolfTail,2,The wolf's tail +field_78181_d,wolfLeg2,2,Wolf's second leg +field_78182_e,wolfLeg3,2,Wolf's third leg +field_78183_b,wolfBody,2,The wolf's body +field_78184_c,wolfLeg1,2,Wolf'se first leg +field_78185_a,wolfHeadMain,2,main box for the wolf head +field_78186_h,wolfMane,2,The wolf's mane +field_78187_d,rightVillagerLeg,2,The right leg of the VillagerModel +field_78188_e,leftVillagerLeg,2,The left leg of the VillagerModel +field_78189_b,villagerBody,2,The body of the VillagerModel +field_78190_c,villagerArms,2,The arms of the VillagerModel +field_78191_a,villagerHead,2,The head box of the VillagerModel +field_78192_d,rightHand,2, +field_78193_e,leftHand,2, +field_78194_b,bottomBody,2, +field_78195_c,head,2, +field_78196_a,body,2, +field_78197_d,slimeMouth,2,The slime's mouth +field_78198_b,slimeRightEye,2,The slime's right eye +field_78199_c,slimeLeftEye,2,The slime's left eye +field_78200_a,slimeBodies,2,"The slime's bodies, both the inside box and the outside box" +field_78201_b,squidTentacles,2,The squid's tentacles +field_78202_a,squidBody,2,The squid's body +field_78203_f,spiderLeg3,2,Spider's third leg +field_78204_g,spiderLeg4,2,Spider's fourth leg +field_78205_d,spiderLeg1,2,Spider's first leg +field_78206_e,spiderLeg2,2,Spider's second leg +field_78207_b,spiderNeck,2,The spider's neck box +field_78208_c,spiderBody,2,The spider's body box +field_78209_a,spiderHead,2,The spider's head box +field_78210_j,spiderLeg7,2,Spider's seventh leg +field_78211_k,spiderLeg8,2,Spider's eight leg +field_78212_h,spiderLeg5,2,Spider's fifth leg +field_78213_i,spiderLeg6,2,Spider's sixth leg +field_78215_f,frontLeg,2,The front leg Model renderer of the dragon +field_78216_g,rearLegTip,2,The rear leg tip Model renderer of the dragon +field_78217_d,body,2,The body Model renderer of the dragon +field_78218_e,rearLeg,2,The rear leg Model renderer of the dragon +field_78219_b,neck,2,The neck Model renderer of the dragon +field_78220_c,jaw,2,The jaw Model renderer of the dragon +field_78221_a,head,2,The head Model renderer of the dragon +field_78222_l,wingTip,2,The wing tip Model renderer of the dragon +field_78223_m,partialTicks,2, +field_78224_j,frontFoot,2,The front foot Model renderer of the dragon +field_78225_k,wing,2,The wing Model renderer of the dragon +field_78226_h,frontLegTip,2,The front leg tip Model renderer of the dragon +field_78227_i,rearFoot,2,The rear foot Model renderer of the dragon +field_78228_b,glass,2,The glass model for the Ender Crystal. +field_78229_c,base,2,The base model for the Ender Crystal. +field_78230_a,cube,2,The cube model for the Ender Crystal. +field_78232_b,chestBelow,2,The model of the bottom of the chest. +field_78233_c,chestKnob,2,The chest's knob in the chest model. +field_78234_a,chestLid,2,The chest lid in the chest's model. +field_78237_b,nVertices,2, +field_78238_c,invertNormal,2, +field_78239_a,vertexPositions,2, +field_78241_b,texturePositionX,2, +field_78242_c,texturePositionY,2, +field_78243_a,vector3D,2, +field_78246_f,posZ2,2,Z vertex coordinate of upper box corner +field_78248_d,posX2,2,X vertex coordinate of upper box corner +field_78249_e,posY2,2,Y vertex coordinate of upper box corner +field_78250_b,posY1,2,Y vertex coordinate of lower box corner +field_78251_c,posZ1,2,Z vertex coordinate of lower box corner +field_78252_a,posX1,2,X vertex coordinate of lower box corner +field_78253_h,vertexPositions,2,"The (x,y,z) vertex positions and (u,v) texture coordinates for each of the 8 points on a cube" +field_78254_i,quadList,2,"An array of 6 TexturedQuads, one for each face of a cube" +field_78285_g,colorCode,2,Array of RGB triplets defining the 16 standard chat colors followed by 16 darker version of the same colors for drop shadows. +field_78286_d,charWidth,2,Array of width of all the characters in default.png +field_78287_e,glyphWidth,2,Array of the start/end column (in upper/lower nibble) for every glyph in the /font directory. +field_78288_b,FONT_HEIGHT,2,the height in pixels of default text +field_78289_c,fontRandom,2, +field_78291_n,red,2,Used to specify new red value for the current color. +field_78292_o,blue,2,Used to specify new blue value for the current color. +field_78293_l,unicodeFlag,2,"If true, strings should be rendered with Unicode fonts instead of the default.png font" +field_78294_m,bidiFlag,2,"If true, the Unicode Bidirectional Algorithm should be run before rendering any string." +field_78295_j,posX,2,Current X coordinate at which to draw the next character. +field_78296_k,posY,2,Current Y coordinate at which to draw the next character. +field_78298_i,renderEngine,2,The RenderEngine used to load and setup glyph textures. +field_78299_w,strikethroughStyle,2,"Set if the ""m"" style (strikethrough) is active in currently rendering string" +field_78300_v,underlineStyle,2,"Set if the ""n"" style (underlined) is active in currently rendering string" +field_78301_u,italicStyle,2,"Set if the ""o"" style (italic) is active in currently rendering string" +field_78302_t,boldStyle,2,"Set if the ""l"" style (bold) is active in currently rendering string" +field_78303_s,randomStyle,2,"Set if the ""k"" style (random) is active in currently rendering string" +field_78304_r,textColor,2,Text color of the currently rendering string. +field_78305_q,alpha,2,Used to speify new alpha value for the current color. +field_78306_p,green,2,Used to specify new green value for the current color. +field_78311_g,clickedUrl,2,The URL which was clicked on. +field_78314_b,fontR,2, +field_78315_c,line,2, +field_78316_a,pattern,2, +field_78317_b,serverSlotContainer,2,Slot container for the server list +field_78318_a,pollServersServerData,2,An Instnace of ServerData. +field_78320_d,fontRenderer,2, +field_78321_b,bufferedImage,2, +field_78322_c,gameSettings,2, +field_78323_a,intArray,2, +field_78329_d,scaledHeightD,2, +field_78330_e,scaleFactor,2, +field_78331_b,scaledHeight,2, +field_78332_c,scaledWidthD,2, +field_78333_a,scaledWidth,2, +field_78335_b,slotStatsBlockGUI,2, +field_78336_a,statsGUI,2, +field_78338_b,slotStatsItemGUI,2, +field_78339_a,statsGUI,2, +field_78358_g,imageData,2,Stores the image data for the texture. +field_78359_d,textureContentsMap,2,"Texture contents map (key: texture name, value: int[] contents)" +field_78360_e,textureNameToImageMap,2,A mapping from GL texture names (integers) to BufferedImage instances +field_78362_c,textureMap,2, +field_78364_l,missingTextureImage,2,Missing texture image +field_78365_j,options,2,Reference to the GameSettings object +field_78366_k,texturePack,2,Texture pack +field_78368_i,urlToImageDataMap,2,A mapping from image URLs to ThreadDownloadImageData instances +field_78387_D,vboCount,2,Number of vertex buffer objects allocated for use. +field_78388_E,bufferSize,2,The size of the buffers used (in integers). +field_78389_A,useVBO,2,Whether we are currently using VBO or not. +field_78390_B,vertexBuffers,2,An IntBuffer used to store the indices of vertex buffer objects. +field_78391_C,vboIndex,2,"The index of the last VBO used. This is used in round-robin fashion, sequentially, through the vboCount vertex buffers." +field_78392_f,floatBuffer,2,"The same memory as byteBuffer, but referenced as an float buffer." +field_78393_g,shortBuffer,2,Short buffer +field_78394_d,byteBuffer,2,The byte buffer used for GL allocation. +field_78395_e,intBuffer,2,"The same memory as byteBuffer, but referenced as an integer buffer." +field_78396_b,convertQuadsToTriangles,2,Boolean used to check whether quads should be drawn as two triangles. Initialized to false and never changed. +field_78397_c,tryVBO,2,Boolean used to check if we should use vertex buffers. Initialized to false and never changed. +field_78398_a,instance,2,The static instance of the Tessellator. +field_78399_n,hasColor,2,Whether the current draw object for this tessellator has color values. +field_78400_o,hasTexture,2,Whether the current draw object for this tessellator has texture coordinates. +field_78401_l,brightness,2, +field_78402_m,color,2,The color (RGBA) value to be used for the following draw call. +field_78403_j,textureU,2,The first coordinate to be used for the texture. +field_78404_k,textureV,2,The second coordinate to be used for the texture. +field_78405_h,rawBuffer,2,Raw integer array. +field_78406_i,vertexCount,2,The number of vertices to be drawn in the next draw call. Reset to 0 between draw calls. +field_78407_w,yOffset,2,An offset to be applied along the y-axis for all vertices in this draw call. +field_78408_v,xOffset,2,An offset to be applied along the x-axis for all vertices in this draw call. +field_78409_u,drawMode,2,The draw mode currently being used by the tessellator. +field_78410_t,isColorDisabled,2,Disables all color information for the following draw call. +field_78411_s,addedVertices,2,The number of vertices manually added to the given draw call. This differs from vertexCount because it adds extra vertices when converting quads to triangles. +field_78412_r,rawBufferIndex,2,The index into the raw buffer to be used for the next data. +field_78413_q,hasNormals,2,Whether the current draw object for this tessellator has normal values. +field_78414_p,hasBrightness,2, +field_78415_z,isDrawing,2,Whether this tessellator is currently in draw mode. +field_78416_y,normal,2,The normal to be applied to the face being drawn. +field_78417_x,zOffset,2,An offset to be applied along the z-axis for all vertices in this draw call. +field_78436_b,imageWidth,2, +field_78437_c,imageHeight,2, +field_78438_a,imageData,2, +field_78449_f,mapItemRenderer,2, +field_78450_g,equippedItemSlot,2,"The index of the currently held item (0-8, or -1 if not yet updated)" +field_78451_d,prevEquippedProgress,2, +field_78452_e,renderBlocksInstance,2,Instance of RenderBlocks. +field_78453_b,itemToRender,2, +field_78454_c,equippedProgress,2,How far the current item has been equipped (0 disequipped and 1 fully up) +field_78455_a,mc,2,A reference to the Minecraft object. +field_78456_b,buffer,2,The image buffer to use. +field_78457_c,imageData,2,The image data. +field_78458_a,location,2,The URL of the image to download. +field_78459_d,textureSetupComplete,2,"True if the texture has been allocated and the image copied to the texture. This is reset if global rendering settings change, so that setupTexture will be called again." +field_78460_b,referenceCount,2,Number of open references to this ThreadDownloadImageData +field_78461_c,textureName,2,"The GL texture name associated with this image, or -1 if the texture has not been allocated" +field_78462_a,image,2,The image data. +field_78485_D,debugCamYaw,2, +field_78486_E,prevDebugCamYaw,2, +field_78487_F,debugCamPitch,2, +field_78488_G,prevDebugCamPitch,2, +field_78489_A,mouseFilterDummy4,2,Mouse filter dummy 4 +field_78490_B,thirdPersonDistance,2, +field_78491_C,thirdPersonDistanceTemp,2,Third person distance temp +field_78492_L,smoothCamPartialTicks,2,Smooth cam partial ticks +field_78493_M,debugCamFOV,2, +field_78494_N,prevDebugCamFOV,2, +field_78495_O,camRoll,2, +field_78496_H,smoothCamYaw,2,Smooth cam yaw +field_78497_I,smoothCamPitch,2,Smooth cam pitch +field_78498_J,smoothCamFilterX,2,Smooth cam filter X +field_78499_K,smoothCamFilterY,2,Smooth cam filter Y +field_78500_U,cloudFog,2,Cloud fog mode +field_78501_T,fovMultiplierTemp,2,FOV multiplier temp +field_78502_W,cameraYaw,2, +field_78503_V,cameraZoom,2, +field_78504_Q,lightmapColors,2,Colors computed in updateLightmap() and loaded into the lightmap emptyTexture +field_78505_P,prevCamRoll,2, +field_78506_S,fovModifierHandPrev,2,FOV modifier hand prev +field_78507_R,fovModifierHand,2,FOV modifier hand +field_78508_Y,prevFrameTime,2,Previous frame time in milliseconds +field_78509_X,cameraPitch,2, +field_78510_Z,renderEndNanoTime,2,End time of last render (ns) +field_78511_f,torchFlickerDX,2,Torch flicker DX +field_78512_g,torchFlickerY,2,Torch flicker Y +field_78513_d,lightmapTexture,2,The texture id of the blocklight/skylight texture used for lighting effects +field_78514_e,torchFlickerX,2,Torch flicker X +field_78515_b,anaglyphField,2,"Anaglyph field (0=R, 1=GB)" +field_78516_c,itemRenderer,2, +field_78517_a,anaglyphEnable,2, +field_78518_n,fogColorRed,2,red component of the fog color +field_78519_o,fogColorGreen,2,green component of the fog color +field_78521_m,fogColorBuffer,2,Fog color buffer +field_78522_j,rainYCoords,2,Rain Y coords +field_78524_h,torchFlickerDY,2,Torch flicker DY +field_78525_i,rainXCoords,2,Rain X coords +field_78526_w,mouseFilterYAxis,2, +field_78527_v,mouseFilterXAxis,2, +field_78528_u,pointedEntity,2,Pointed entity +field_78529_t,rendererUpdateCount,2,Entity renderer update count +field_78530_s,farPlaneDistance,2, +field_78531_r,mc,2,A reference to the Minecraft object. +field_78532_q,debugViewDirection,2,"Debug view direction (0=OFF, 1=Front, 2=Right, 3=Back, 4=Left, 5=TiltLeft, 6=TiltRight)" +field_78533_p,fogColorBlue,2,blue component of the fog color +field_78534_ac,rainSoundCounter,2,Rain sound counter +field_78535_ad,fogColor2,2,Fog color 2 +field_78536_aa,lightmapUpdateNeeded,2,"Is set, updateCameraAndRender() calls updateLightmap(); set by updateTorchFlicker()" +field_78537_ab,random,2, +field_78538_z,mouseFilterDummy3,2,Mouse filter dummy 3 +field_78539_ae,fogColor1,2,Fog color 1 +field_78540_y,mouseFilterDummy2,2,Mouse filter dummy 2 +field_78541_x,mouseFilterDummy1,2,Mouse filter dummy 1 +field_78543_b,theChest,2,Instance of Chest's Tile Entity. +field_78544_c,theEnderChest,2,Instance of Ender Chest's Tile Entity. +field_78545_a,instance,2,The static instance of ChestItemRenderHelper. +field_78549_d,zPosition,2, +field_78550_b,xPosition,2, +field_78551_c,yPosition,2, +field_78552_a,clippingHelper,2, +field_78554_d,clippingMatrix,2, +field_78555_b,projectionMatrix,2, +field_78556_c,modelviewMatrix,2, +field_78557_a,frustum,2, +field_78561_f,projectionMatrixBuffer,2, +field_78562_g,modelviewMatrixBuffer,2, +field_78563_e,instance,2, +field_78624_D,aoLightValueScratchXYNP,2,Used as a scratch variable for ambient occlusion between the top face and the north face. +field_78625_E,aoLightValueScratchXYZNPP,2,Used as a scratch variable for ambient occlusion on the north/top/west corner. +field_78626_F,aoLightValueScratchYZPN,2,Used as a scratch variable for ambient occlusion between the top face and the east face. +field_78627_G,aoLightValueScratchXYZPPN,2,Used as a scratch variable for ambient occlusion on the south/top/east corner. +field_78628_A,aoLightValueScratchXYPN,2,Used as a scratch variable for ambient occlusion between the bottom face and the south face. +field_78629_B,aoLightValueScratchXYZPNP,2,Used as a scratch variable for ambient occlusion on the south/bottom/west corner. +field_78630_C,aoLightValueScratchXYZNPN,2,Used as a scratch variable for ambient occlusion on the north/top/east corner. +field_78631_L,aoLightValueScratchXZPN,2,Used as a scratch variable for ambient occlusion between the south face and the east face. +field_78632_M,aoLightValueScratchXZNP,2,Used as a scratch variable for ambient occlusion between the north face and the west face. +field_78633_N,aoLightValueScratchXZPP,2,Used as a scratch variable for ambient occlusion between the south face and the west face. +field_78634_H,aoLightValueScratchXYPP,2,Used as a scratch variable for ambient occlusion between the top face and the south face. +field_78635_I,aoLightValueScratchYZPP,2,Used as a scratch variable for ambient occlusion between the top face and the west face. +field_78636_J,aoLightValueScratchXYZPPP,2,Used as a scratch variable for ambient occlusion on the south/top/west corner. +field_78637_K,aoLightValueScratchXZNN,2,Used as a scratch variable for ambient occlusion between the north face and the east face. +field_78639_U,aoBrightnessXYZNNP,2,Ambient occlusion brightness XYZNNP +field_78641_T,aoBrightnessXYNN,2,Ambient occlusion brightness XYNN +field_78643_W,aoBrightnessYZNP,2,Ambient occlusion brightness YZNP +field_78645_V,aoBrightnessYZNN,2,Ambient occlusion brightness YZNN +field_78649_S,aoBrightnessXYZNNN,2,Ambient occlusion brightness XYZNNN +field_78650_aA,colorBlueBottomLeft,2,Blue color value for the bottom left corner +field_78651_aB,colorBlueBottomRight,2,Blue color value for the bottom right corner +field_78652_aC,colorBlueTopRight,2,Blue color value for the top right corner +field_78655_Y,aoBrightnessXYPN,2,Ambient occlusion brightness XYPN +field_78657_X,aoBrightnessXYZPNN,2,Ambient occlusion brightness XYZPNN +field_78660_Z,aoBrightnessXYZPNP,2,Ambient occlusion brightness XYZPNP +field_78661_f,renderAllFaces,2,"If true, renders all faces on all blocks rather than using the logic in Block.shouldSideBeRendered. Unused." +field_78662_g,uvRotateEast,2, +field_78663_az,colorBlueTopLeft,2,Blue color value for the top left corner +field_78664_d,overrideBlockTexture,2,"If set to >=0, all block faces will be rendered using this texture index" +field_78665_ay,colorGreenTopRight,2,Green color value for the top right corner +field_78666_e,flipTexture,2,Set to true if the texture should be flipped horizontally during render*Face +field_78667_b,fancyGrass,2,Fancy grass side matching biome +field_78668_c,useInventoryTint,2, +field_78669_a,blockAccess,2,The IBlockAccess used by this instance of RenderBlocks +field_78670_at,colorRedBottomRight,2,Red color value for the bottom right corner +field_78672_as,colorRedBottomLeft,2,Red color value for the bottom left corner +field_78674_ar,colorRedTopLeft,2,Red color value for the top left corner +field_78675_l,uvRotateBottom,2, +field_78676_aq,brightnessTopRight,2,Brightness top right +field_78677_m,enableAO,2,Whether ambient occlusion is enabled or not +field_78678_ax,colorGreenBottomRight,2,Green color value for the bottom right corner +field_78679_j,uvRotateNorth,2, +field_78680_aw,colorGreenBottomLeft,2,Green color value for the bottom left corner +field_78681_k,uvRotateTop,2, +field_78682_av,colorGreenTopLeft,2,Green color value for the top left corner +field_78683_h,uvRotateWest,2, +field_78684_au,colorRedTopRight,2,Red color value for the top right corner +field_78685_i,uvRotateSouth,2, +field_78686_ak,aoBrightnessXZNP,2,Ambient occlusion brightness XZNP +field_78687_w,aoLightValueScratchXYZNNP,2,Used as a scratch variable for ambient occlusion on the north/bottom/west corner. +field_78688_al,aoBrightnessXZPP,2,Ambient occlusion brightness XZPP +field_78689_v,aoLightValueScratchXYNN,2,Used as a scratch variable for ambient occlusion between the bottom face and the north face. +field_78690_ai,aoBrightnessXZNN,2,Ambient occlusion brightness XZNN +field_78691_u,aoLightValueScratchXYZNNN,2,Used as a scratch variable for ambient occlusion on the north/bottom/east corner. +field_78692_aj,aoBrightnessXZPN,2,Ambient occlusion brightness XZPN +field_78694_ao,brightnessBottomLeft,2,Brightness bottom left +field_78696_ap,brightnessBottomRight,2,Brightness bottom right +field_78700_an,brightnessTopLeft,2,Brightness top left +field_78702_ac,aoBrightnessXYZNPP,2,Ambient occlusion brightness XYZNPP +field_78703_ad,aoBrightnessYZPN,2,Ambient occlusion brightness YZPN +field_78704_aa,aoBrightnessXYZNPN,2,Ambient occlusion brightness XYZNPN +field_78705_ab,aoBrightnessXYNP,2,Ambient occlusion brightness XYNP +field_78706_ag,aoBrightnessYZPP,2,Ambient occlusion brightness YZPP +field_78707_ah,aoBrightnessXYZPPP,2,Ambient occlusion brightness XYZPPP +field_78708_z,aoLightValueScratchXYZPNN,2,Used as a scratch variable for ambient occlusion on the south/bottom/east corner. +field_78709_ae,aoBrightnessXYZPPN,2,Ambient occlusion brightness XYZPPN +field_78710_y,aoLightValueScratchYZNP,2,Used as a scratch variable for ambient occlusion between the bottom face and the west face. +field_78711_af,aoBrightnessXYPP,2,Ambient occlusion brightness XYPP +field_78712_x,aoLightValueScratchYZNN,2,Used as a scratch variable for ambient occlusion between the bottom face and the east face. +field_78721_f,itemRenderer,2, +field_78722_g,worldObj,2,Reference to the World object. +field_78723_d,renderPosZ,2, +field_78724_e,renderEngine,2, +field_78725_b,renderPosX,2, +field_78726_c,renderPosY,2, +field_78727_a,instance,2,The static instance of RenderManager. +field_78728_n,viewerPosZ,2, +field_78729_o,entityRenderMap,2,A map of entity classes and the associated renderer. +field_78730_l,viewerPosX,2, +field_78731_m,viewerPosY,2, +field_78732_j,playerViewX,2, +field_78733_k,options,2,Reference to the GameSettings object. +field_78734_h,livingPlayer,2,Rendermanager's variable for the player +field_78735_i,playerViewY,2, +field_78736_p,fontRenderer,2,Renders fonts +field_78741_b,secondaryComponents,2, +field_78742_a,primaryComponents,2, +field_78770_f,curBlockDamageMP,2,Current block damage (MP) +field_78772_d,currentBlockY,2,PosY of the current block being destroyed +field_78773_e,currentblockZ,2,PosZ of the current block being destroyed +field_78774_b,netClientHandler,2, +field_78775_c,currentBlockX,2,PosX of the current block being destroyed +field_78776_a,mc,2,The Minecraft instance. +field_78777_l,currentPlayerItem,2,Index of the current item held by the player in the inventory hotbar +field_78778_j,isHittingBlock,2,Tells if the player is hitting a block +field_78779_k,currentGameType,2,Current game type for the player +field_78780_h,stepSoundTickCounter,2,"Tick counter, when it hits 4 it resets back to 0 and plays the step sound" +field_78781_i,blockHitDelay,2,Delays the first damage on the block after the first click on the block +field_78782_b,textureOffsetY,2,The y coordinate offset of the texture +field_78783_a,textureOffsetX,2,The x coordinate offset of the texture +field_78795_f,rotateAngleX,2, +field_78796_g,rotateAngleY,2, +field_78797_d,rotationPointY,2, +field_78798_e,rotationPointZ,2, +field_78799_b,textureHeight,2,The size of the texture file's height in pixels. +field_78800_c,rotationPointX,2, +field_78801_a,textureWidth,2,The size of the texture file's width in pixels. +field_78802_n,boxName,2, +field_78803_o,textureOffsetX,2,The X offset into the texture used for displaying this model +field_78804_l,cubeList,2, +field_78805_m,childModels,2, +field_78806_j,showModel,2, +field_78807_k,isHidden,2,Hides the model. +field_78808_h,rotateAngleZ,2, +field_78809_i,mirror,2, +field_78810_s,baseModel,2, +field_78811_r,displayList,2,The GL display list rendered by the Tessellator for this model +field_78812_q,compiled,2, +field_78813_p,textureOffsetY,2,The Y offset into the texture used for displaying this model +field_78818_a,mineshaftChestContents,2,List of contents that can generate in Mineshafts. +field_78819_b,port,2,The port used to connect. +field_78820_c,connectingGui,2,A reference to the GuiConnecting object. +field_78821_a,ip,2,The IP address or domain used to connect. +field_78828_a,weightClass,2,The class of the StructureComponent to which this weight corresponds. +field_78829_b,responseTime,2,Player response time to server in milliseconds +field_78830_c,nameinLowerCase,2,Player name in lowercase. +field_78831_a,name,2,The string value of the object +field_78833_a,theWorldClient,2,Reference to the WorldClient object. +field_78835_a,theWorldClient,2,Reference to the WorldClient object. +field_78843_d,serverMOTD,2,(better variable name would be 'hostname') server name as displayed in the server browser's second line (grey text) +field_78844_e,pingToServer,2,last server ping that showed up in the server browser +field_78845_b,serverIP,2, +field_78846_c,populationInfo,2,"the string indicating number of players on and capacity of the server that is shown on the server browser (i.e. ""5/20"" meaning 5 slots used out of 20 slots total)" +field_78847_a,serverName,2, +field_78848_h,acceptsTextures,2, +field_78858_b,servers,2,List of ServerData instances. +field_78859_a,mc,2,The Minecraft instance. +field_78865_b,serverPort,2, +field_78866_a,ipAddress,2, +field_78875_d,rand,2,RNG. +field_78876_b,fxLayers,2, +field_78877_c,renderer,2, +field_78878_a,worldObj,2,Reference to the World object. +field_78892_f,maxZ,2,The second z coordinate of a bounding box. +field_78893_d,maxX,2,The second x coordinate of a bounding box. +field_78894_e,maxY,2,The second y coordinate of a bounding box. +field_78895_b,minY,2,The first y coordinate of a bounding box. +field_78896_c,minZ,2,The first z coordinate of a bounding box. +field_78897_a,minX,2,The first x coordinate of a bounding box. +field_78899_d,sneak,2, +field_78900_b,moveForward,2,The speed at which the player is moving forward. Negative numbers will move backwards. +field_78901_c,jump,2, +field_78902_a,moveStrafe,2,The speed at which the player is strafing. Postive numbers to the left and negative to the right. +field_78903_e,gameSettings,2, +field_78915_A,isInitialized,2, +field_78916_B,tileEntities,2, +field_78917_C,bytesDrawn,2,Bytes sent to the GPU +field_78918_f,posXMinus,2,Pos X minus +field_78919_g,posYMinus,2,Pos Y minus +field_78920_d,posY,2, +field_78921_e,posZ,2, +field_78922_b,chunksUpdated,2, +field_78923_c,posX,2, +field_78924_a,worldObj,2,Reference to the World object. +field_78925_n,posXPlus,2,Pos X plus +field_78926_o,posYPlus,2,Pos Y plus +field_78927_l,isInFrustum,2, +field_78928_m,skipRenderPass,2,Should this renderer skip this render pass +field_78929_j,posYClip,2,Pos Y clipped +field_78930_k,posZClip,2,Pos Z clipped +field_78931_h,posZMinus,2,Pos Z minus +field_78932_i,posXClip,2,Pos X clipped +field_78933_w,isChunkLit,2,Is the chunk lit +field_78934_v,glOcclusionQuery,2,OpenGL occlusion query +field_78935_u,isWaitingOnOcclusionQuery,2,Is this renderer waiting on the result of the occlusion query +field_78936_t,isVisible,2,Is this renderer visible according to the occlusion query +field_78937_s,chunkIndex,2,Chunk index +field_78938_r,rendererBoundingBox,2,Axis aligned bounding box +field_78939_q,needsUpdate,2,Boolean for whether this renderer needs to be updated or not +field_78940_p,posZPlus,2,Pos Z plus +field_78941_z,tessellator,2, +field_78942_y,glRenderList,2, +field_78943_x,tileEntityRenderers,2,All the tile entities that have special rendering code for this chunk +field_78945_a,baseEntity,2,The entity (usually the player) that the camera is inside. +field_78947_b,entityPosY,2,Entity position Y +field_78948_c,entityPosZ,2,Entity position Z +field_78949_a,entityPosX,2,Entity position X +field_79002_a,mc,2,The Minecraft instance. +field_79008_b,serverGuiInitialized,2,This is set to true after server GUI window has been initialized. +field_79009_c,serverInstance,2, +field_79011_b,updateCounter,2,Counts the number of updates. +field_79012_a,mcServer,2,Reference to the MinecraftServer object. +field_79016_d,displayStrings,2,An array containing the strings displayed in this stats component. +field_79018_b,memoryUse,2,An array containing the columns that make up the memory use graph. +field_79019_c,updateCounter,2,Counts the number of updates. Used as the index into the memoryUse array to display the latest value. +field_79021_a,statsComponent,2, +field_79026_b,mcServerGui,2,Reference to the ServerGui object. +field_79027_a,textField,2,Text field. +field_79028_a,mcServerGui,2,Reference to the ServerGui object. +field_79029_a,outputHandler,2,Reference to the GuiLogOutputHandler. +field_80001_f,closestPlayer,2,The closest EntityPlayer to this orb. +field_80002_g,xpTargetColor,2,Threshold color for tracking players +field_80004_Q,updateEntityTick,2, +field_80005_w,hideServerAddress,2, +field_82121_b,skullRotation,2,The skull's rotation. +field_82122_c,extraType,2,"Extra data for this skull, used as player username by player heads" +field_82123_a,skullType,2,Entity type for this skull. +field_82133_f,primaryEffect,2,Primary potion effect given by this beacon. +field_82134_g,secondaryEffect,2,Secondary potion effect given by this beacon. +field_82135_d,isBeaconActive,2, +field_82136_e,levels,2,Level of this beacon's pyramid. +field_82139_a,effectsList,2,List of effects that Beacon can apply +field_82140_h,payment,2,Item given to this beacon as payment. +field_82151_R,distanceWalkedOnStepModified,2, +field_82152_aq,teleportDirection,2, +field_82153_h,timeInPortal,2, +field_82155_f,isAnvil,2, +field_82156_g,fallHurtMax,2,Maximum amount of damage dealt to entities hit by falling block +field_82157_e,isBreakingAnvil,2, +field_82158_h,fallHurtAmount,2,Actual damage dealt to entities hit by falling block +field_82172_bs,canPickUpLoot,2,Whether this entity can pick up items from the ground. +field_82173_br,swingProgressInt,2, +field_82174_bp,equipmentDropChances,2,Chances for each equipment piece from dropping when this entity dies. +field_82175_bq,isSwingInProgress,2,Whether an arm swing is currently in progress. +field_82176_d,armorProbability,2,Probability to get armor +field_82177_b,enchantmentProbability,2,An array of probabilities that determines whether a random enchantment should be added to the held item. Indexed by difficulty. +field_82178_c,armorEnchantmentProbability,2,Probability to get enchanted armor +field_82179_bU,persistenceRequired,2,Whether this entity should NOT despawn. +field_82180_bT,previousEquipment,2,"The equipment this mob was previously wearing, used for syncing." +field_82181_as,pickUpLootProability,2,Probability to pick up loot +field_82182_bS,equipment,2,Equipment (armor and held item) for this entity. +field_82184_d,aiControlledByPlayer,2,AI task for player control. +field_82189_bL,lastBuyingPlayer,2,"Last player to trade with this villager, used for aggressivity." +field_82192_a,mobSelector,2,Entity selector for IMob types. +field_82199_d,witchDrops,2,List of items a witch should drop on death. +field_82200_e,witchAttackTimer,2,"Timer used as interval for a witch's attack, decremented every tick if aggressive and when reaches zero the witch will throw a potion at the target entity." +field_82219_bJ,attackEntitySelector,2,Selector used to determine the entities a wither boss should attack. +field_82225_f,fuseTime,2, +field_82226_g,explosionRadius,2,Explosion radius for this creeper. +field_82234_d,conversionTime,2,Ticker used to determine the time remaining for this zombie to convert into a villager when cured. +field_82237_a,currentFlightTarget,2,randomly selected ChunkCoordinates in a 7x6x7 box around the bat (y offset -2 to 4) towards which it will fly. upon getting close a new target will be selected +field_82248_d,spawnForced,2,"Whether this player's spawn point is forced, preventing execution of bed checks." +field_82250_a,mc,2, +field_82259_k,buttonTexture,2,Texture for this button. +field_82260_k,beaconGui,2,Beacon GUI this button belongs to. +field_82263_k,beaconGui,2,Beacon GUI this button belongs to. +field_82264_k,beaconGui,2,Beacon GUI this button belongs to. +field_82267_b,allMultiplayerOptions,2, +field_82276_d,customizationTitle,2, +field_82277_b,createWorldGui,2, +field_82278_r,buttonRemoveLayer,2, +field_82279_c,theFlatGeneratorInfo,2, +field_82280_q,buttonEditLayer,2, +field_82281_p,buttonAddLayer,2, +field_82282_a,theRenderItem,2, +field_82283_n,heightLabel,2, +field_82284_o,createFlatWorldListSlotGui,2, +field_82285_m,layerMaterialLabel,2, +field_82289_B,buttonCustomize,2,GuiButton in the more world options screen. +field_82290_a,generatorOptionsToUse,2,Generator options to use when creating the world. +field_82301_b,presets,2,List of defined flat world presets. +field_82302_c,createFlatWorldGui,2, +field_82303_q,theTextField,2, +field_82304_p,theButton,2, +field_82305_a,presetIconRenderer,2,RenderItem instance used to render preset icons. +field_82307_o,theFlatPresetsListSlot,2, +field_82316_w,buttonRecreate,2, +field_82317_b,commandBlock,2,Command block being edited. +field_82318_a,commandTextField,2,Text field containing the command block's command. +field_82320_o,theSlot,2, +field_82321_q,buttonsNotDrawn,2, +field_82322_p,beaconConfirmButton,2, +field_82323_o,beacon,2, +field_82326_p,itemNameField,2, +field_82327_o,repairContainer,2, +field_82332_a,hangingDirection,2, +field_82337_e,itemDropChance,2,Chance for this item frame's item to drop from the frame. +field_82339_as,particleAlpha,2,Particle alpha +field_82346_a,theContainer,2,Container of this anvil's block. +field_82354_a,command,2,The command this block will execute when powered. +field_82365_a,difficulties,2, +field_82373_c,directions,2, +field_82374_e,facings,2, +field_82387_b,intListPattern,2,"This matches things like ""-1,,4"", and is used for getting x,y,z,range from the token's argument list." +field_82388_c,keyValueListPattern,2,"This matches things like ""rm=4,c=2"" and is used for handling named token arguments." +field_82389_a,tokenPattern,2,"This matches the at-tokens introduced for command blocks, including their arguments, if any." +field_82397_a,skullRenderer,2, +field_82401_a,skeletonHeadModel,2,The Skeleton's head model. +field_82405_a,renderBlocksInstance,2, +field_82407_g,renderInFrame,2, +field_82424_k,bipedArmorFilenamePrefix,2,List of armor texture filenames. +field_82446_a,renderedBatSize,2,"not actually sure this is size, is not used as of now, but the model would be recreated if the value changed and it seems a good match for a bats size" +field_82453_b,createFlatWorldGui,2, +field_82458_b,flatPresetsGui,2, +field_82470_g,playingSounds,2,Identifiers of all currently playing sounds. Type: HashSet +field_82471_f,minecartIsMoving,2, +field_82472_g,silent,2, +field_82473_d,playerSPRidingMinecart,2, +field_82474_e,minecartIsDead,2, +field_82475_b,theMinecart,2,Minecart which sound is being updated. +field_82476_c,thePlayer,2,The player that is getting the minecart sound updates. +field_82477_a,theSoundManager,2, +field_82478_j,minecartRideSoundVolume,2, +field_82479_k,minecartSpeed,2, +field_82480_h,minecartSoundPitch,2, +field_82481_i,minecartMoveSoundVolume,2, +field_82483_a,itemDispenseBehaviorProvider,2, +field_82507_n,soundLadderFootstep,2, +field_82508_o,soundAnvilFootstep,2, +field_82509_m,soundSnowFootstep,2, +field_82510_ck,anvil,2, +field_82511_ci,woodenButton,2, +field_82512_cj,skull,2, +field_82513_cg,carrot,2, +field_82514_ch,potato,2, +field_82515_ce,cobblestoneWall,2, +field_82516_cf,flowerPot,2, +field_82517_cc,commandBlock,2, +field_82518_cd,beacon,2, +field_82522_a,statuses,2,List of types/statues the Anvil can be in. +field_82527_a,dispenseBehaviorRegistry,2,Registry for all dispense behaviors. +field_82537_a,sensible,2,"Whether this button is sensible to arrows, used by wooden buttons." +field_82539_a,types,2,The types of the wall. +field_82548_a,theChunkCoordinates,2, +field_82559_a,readSuccessfully,2,"Always 1, unless readByte threw an exception." +field_82561_f,disableRelativeVolume,2, +field_82562_a,worldAge,2,World age in ticks. +field_82564_f,showCape,2, +field_82575_g,totalTime,2,Total time for this world. +field_82576_c,generatorOptions,2, +field_82577_x,theGameRules,2, +field_82578_b,NBTTypes,2, +field_82584_b,theNBTTagCompound,2, +field_82587_b,theNBTTagCompound,2, +field_82592_a,fakePool,2,A global Vec3Pool that always creates new vectors instead of reusing them and is thread-safe. +field_82596_a,registryObjects,2,Objects registered on this registry. +field_82597_b,defaultObject,2,"Default object for this registry, returned when an object is not found." +field_82603_g,order_a,2,Face order for D-U-N-S-E-W. +field_82609_l,faceList,2,List of all values in EnumFacing. Order is D-U-N-S-E-W. +field_82611_j,frontOffsetY,2, +field_82612_k,frontOffsetZ,2, +field_82613_h,order_b,2,Face order for U-D-S-N-W-E. +field_82614_i,frontOffsetX,2, +field_82624_d,zPos,2, +field_82625_b,xPos,2, +field_82626_c,yPos,2, +field_82627_a,worldObj,2, +field_82628_b,y,2, +field_82629_c,z,2, +field_82630_a,x,2, +field_82635_f,maxSpeedBoostTime,2,Maximum time the entity's speed should be boosted for. +field_82636_d,speedBoosted,2,Whether the entity's speed is boosted. +field_82637_e,speedBoostTime,2,"Counter for speed boosting, upon reaching maxSpeedBoostTime the speed boost will be disabled" +field_82638_b,maxSpeed,2, +field_82639_c,currentSpeed,2, +field_82640_a,thisEntity,2, +field_82641_b,rangedAttackEntityHost,2,The entity (as a RangedAttackMob) the AI instance has been applied to. +field_82653_b,worldFeatures,2,List of world features enabled on this preset. +field_82654_c,biomeToUse,2, +field_82655_a,flatLayers,2,List of layers on this preset. +field_82661_d,layerMinimumY,2, +field_82662_b,layerFillBlock,2,Block type used on this set of layers. +field_82663_c,layerFillBlockMeta,2,Block metadata used on this set of laeyrs. +field_82664_a,layerCount,2,Amount of layers for this set of layers. +field_82668_f,scatteredFeatureSpawnList,2,contains possible spawns for scattered features +field_82669_g,maxDistanceBetweenScatteredFeatures,2,the maximum distance between scattered features +field_82670_h,minDistanceBetweenScatteredFeatures,2,the minimum distance between scattered features +field_82675_b,cropTypeA,2,First crop type for this field. +field_82676_c,cropTypeB,2,Second crop type for this field. +field_82678_d,cropTypeC,2,Third crop type for this field. +field_82679_b,cropTypeA,2,First crop type for this field. +field_82680_c,cropTypeB,2,Second crop type for this field. +field_82681_h,cropTypeD,2,Fourth crop type for this field. +field_82682_h,hasWitch,2,Whether this swamp hut has a witch. +field_82693_j,playerReputation,2,List of player reputations with this village +field_82694_i,noBreedTicks,2,Timestamp of tick count when villager last bred +field_82696_f,structureGenerators,2, +field_82701_j,lavaLakeGenerator,2, +field_82703_i,waterLakeGenerator,2, +field_82707_i,isAnimal,2,Whether this creature type is an animal. +field_82717_g,anvil,2, +field_82723_d,isSplashPotion,2,Whether the potion is a splash potion +field_82724_e,isAmbient,2,Whether the potion effect came from a beacon +field_82727_n,wither,2, +field_82728_o,anvil,2, +field_82729_p,fallingBlock,2, +field_82730_x,magicDamage,2, +field_82731_v,wither,2,The wither Potion object. +field_82741_K,vecPool,2,The world-local pool of vectors +field_82745_f,createdAtCloudUpdateTick,2,keeps track of how many ticks this PartiallyDestroyedBlock already exists +field_82748_f,worldTypeId,2,ID for this world type. +field_82755_b,isSmoking,2,whether or not this explosion spawns smoke particles +field_82759_d,valueDouble,2, +field_82760_b,valueBoolean,2, +field_82761_c,valueInteger,2, +field_82762_a,valueString,2, +field_82771_a,theGameRules,2, +field_82786_e,maxTradeUses,2,Maximum times this trade can be used. +field_82791_bT,pumpkinPie,2, +field_82792_bS,netherStar,2, +field_82793_bR,carrotOnAStick,2, +field_82794_bL,potato,2, +field_82795_bM,bakedPotato,2, +field_82796_bJ,flowerPot,2, +field_82797_bK,carrot,2, +field_82798_bP,goldenCarrot,2, +field_82799_bQ,skull,2, +field_82800_bN,poisonousPotato,2, +field_82801_bO,emptyMap,2, +field_82802_bI,itemFrame,2, +field_82805_a,theBlock,2, +field_82807_a,skullTypes,2, +field_82808_b,cropId,2,Block ID of the crop this seed food should place. +field_82809_c,soilId,2,Block ID of the soil this seed food should be planted on. +field_82811_a,hangingEntityClass,2, +field_82818_l,goldenCarrotEffect,2, +field_82822_g,gameVersion,2,Game version for this server. +field_82823_k,hideAddress,2,Whether to hide the IP address for this server. +field_82826_b,statusBarLength,2, +field_82827_c,bossName,2, +field_82828_a,healthScale,2, +field_82843_f,itemFrame,2,"Item frame this stack is on, or null if not on an item frame." +field_82852_f,outputSlot,2,Here comes out item you merged and/or renamed. +field_82853_g,inputSlots,2,The 2slots where you put your items in that you want to merge and/or rename. +field_82854_e,maximumCost,2,The maximum cost of repairing/renaming in the anvil. +field_82855_n,thePlayer,2,The player that has this container open. +field_82856_l,stackSizeToBeUsedInRepair,2,determined by damage of input item and stackSize of repair materials +field_82857_m,repairedItemName,2, +field_82860_h,theWorld,2, +field_82862_h,thePlayer,2, +field_82864_f,beaconSlot,2,"This beacon's slot where you put in Emerald, Diamond, Gold or Iron Ingot." +field_82866_e,theBeacon,2, +field_82871_d,blockPosZ,2, +field_82872_e,anvil,2,The anvil this slot belongs to. +field_82873_b,blockPosX,2, +field_82874_c,blockPosY,2, +field_82875_a,theWorld,2, +field_82876_a,beacon,2,The beacon this slot belongs to. +field_82880_z,showCape,2,Whether to show your cape +field_82881_y,pauseOnLostFocus,2,"Whether to pause when the game loses focus, toggled by F3+P" +field_82882_x,advancedItemTooltips,2,"Whether to show advanced information on item tooltips, toggled by F3+H" +field_82887_a,mc,2, +field_82890_f,batOuterLeftWing,2,The outer left wing box of the bat model. +field_82891_d,batLeftWing,2,The inner left wing box of the bat model. +field_82892_e,batOuterRightWing,2,The outer right wing box of the bat model. +field_82893_b,batBody,2,The body box of the bat model. +field_82894_c,batRightWing,2,The inner right wing box of the bat model. +field_82895_a,batHead,2, +field_82896_a,skeletonHead,2, +field_82902_i,witchHat,2, +field_82909_b,presetName,2,Name for this preset. +field_82910_c,presetData,2,Data for this preset. +field_82911_a,iconId,2,ID for the item used as icon for this preset. +field_82912_p,heightMapMinimum,2,Lowest value in the heightmap. +field_82914_M,spawnableCaveCreatureList,2, +field_82915_S,theWorldGenerator,2, +field_83001_bt,invulnerable,2, +field_83004_a,theCrashReport,2, +field_83016_L,theCalendar,2, +field_83021_g,renderMinX,2,The minimum X value for rendering (default 0.0). +field_83022_l,renderMaxZ,2,The maximum Z value for rendering (default 1.0). +field_83023_m,lockBlockBounds,2,"Set by overrideBlockBounds, to keep this class from changing the visual bounding box." +field_83024_j,renderMaxY,2,The maximum Y value for rendering (default 1.0). +field_83025_k,renderMinZ,2,The minimum Z value for rendering (default 0.0). +field_83026_h,renderMaxX,2,The maximum X value for rendering (default 1.0). +field_83027_i,renderMinY,2,The minimum Y value for rendering (default 0.0). +field_85037_d,aiArrowAttack,2, +field_85038_e,aiAttackOnCollide,2, +field_85042_b,eventButton,2, +field_85045_v,returningStack,2,Used when touchscreen is enabled +field_85046_u,returningStackTime,2, +field_85047_t,returningStackDestSlot,2, +field_85050_q,draggedStack,2,Used when touchscreen is enabled +field_85051_p,clickedSlot,2,Used when touchscreen is enabled +field_85053_h,throwerName,2, +field_85065_b,blockYCoord,2, +field_85066_c,blockZCoord,2, +field_85067_a,blockXCoord,2, +field_85075_d,stackTrace,2, +field_85078_a,theCrashReport,2, +field_85080_a,blockID,2, +field_85082_a,theSuspiciousClasses,2, +field_85084_a,theCrashReport,2, +field_85086_a,theCrashReport,2, +field_85087_d,lastUpdateTime,2,The worldtime at which this PortalPosition was last verified +field_85088_e,teleporterInstance,2,The teleporter to which this PortalPosition applies +field_85098_d,globalRenderer,2, +field_85109_a,worldInfoInstance,2, +field_85111_a,worldInfoInstance,2, +field_85113_a,worldInfoInstance,2, +field_85115_a,worldInfoInstance,2, +field_85135_a,worldInfoInstance,2, +field_85137_a,worldInfoInstance,2, +field_85139_a,worldInfoInstance,2, +field_85141_a,worldInfoInstance,2, +field_85143_a,worldInfoInstance,2, +field_85146_a,theTileEntity,2, +field_85155_a,theEntity,2, +field_85161_a,theMapStructureGenerator,2, +field_85164_c,theMapStructureGenerator,2, +field_85168_c,theMapStructureGenerator,2, +field_85171_a,theDedicatedServer,2, +field_85180_cf,recordWait,2, +field_85185_A,touchscreen,2, +field_85190_d,destinationCoordinateKeys,2,A list of valid keys for the destinationCoordainteCache. These are based on the X & Z of the players initial location. +field_85191_c,destinationCoordinateCache,2,Stores successful portal placement locations for rapid lookup. +field_85192_a,worldServerInstance,2, +field_90017_e,isMacOs,2, +field_90018_r,isRightMouseClick,2,Used when touchscreen is enabled +field_90025_c,theEntityRenderer,2, +field_90028_b,theEntityRenderer,2, +field_90029_a,theScaledResolution,2, +field_90032_a,entityRender,2, +field_90044_b,records,2,List of all record items and their names. +field_90046_a,theMinecraft,2, +field_90048_a,theMinecraft,2, +field_90051_a,theMinecraft,2, +field_90053_a,theMinecraft,2, +field_90055_a,theMinecraft,2, +field_92014_j,explosionStrength,2,The explosion radius of spawned fireballs. +field_92016_l,highlightingItemStack,2,The ItemStack that is currently being highlighted +field_92017_k,remainingHighlightTicks,2,Remaining ticks the item highlight should be visible +field_92039_az,fireworkExplosions,2, +field_92055_b,lifetime,2,The lifetime of the firework in ticks. When the age reaches the lifetime the firework explodes. +field_92056_a,fireworkAge,2,The age of the firework in ticks. +field_92061_d,isChristmas,2,"If true, chests will be rendered with the Christmas present textures." +field_92076_h,skyLightSent,2,"Whether or not the chunk data contains a light nibble array. This is true in the main world, false in the end + nether." +field_92077_h,pitch,2,The pitch in steps of 2p/256 +field_92078_i,yaw,2,The yaw in steps of 2p/256 +field_92086_a,isBlank,2,When isBlank is true the DataWatcher is not watching any objects +field_92091_k,thorns,2, +field_92104_bU,firework,2, +field_92105_bW,enchantedBook,2, +field_92106_bV,fireworkCharge,2, +field_92117_D,heldItemTooltips,2, +field_92118_B,overrideWidth,2, +field_92119_C,overrideHeight,2, +field_94050_c,customName,2, +field_94054_b,particleTextureIndexX,2, +field_94055_c,particleTextureIndexY,2, +field_94084_b,tntPlacedBy,2, +field_94102_c,entityName,2, +field_94106_a,minecartTNTFuse,2, +field_94109_b,pushZ,2, +field_94110_c,fuel,2, +field_94111_a,pushX,2, +field_94112_b,dropContentsWhenDead,2,"When set to true, the minecart will drop all items when setDead() is called. When false (such as when travelling dimensions) it preserves its contents." +field_94113_a,minecartContainerItems,2, +field_94123_d,inventoryName,2,The name that is displayed if the hopper was renamed +field_94124_b,hopperItemStacks,2, +field_94141_F,destroyBlockIcons,2, +field_94153_n,boundTexture,2, +field_94154_l,textureMapBlocks,2, +field_94155_m,textureMapItems,2, +field_94161_d,rectHeight,2, +field_94162_b,rectY,2, +field_94163_c,rectWidth,2, +field_94164_a,rectX,2, +field_94177_n,minecraftRB,2, +field_94187_f,holder,2, +field_94188_d,height,2, +field_94189_e,subSlots,2, +field_94190_b,originY,2, +field_94191_c,width,2, +field_94192_a,originX,2, +field_94201_d,height,2, +field_94202_e,rotated,2, +field_94204_c,width,2, +field_94205_a,scaleFactor,2, +field_94222_f,frameCounter,2, +field_94223_g,tickCounter,2, +field_94224_d,originX,2,x position of this icon on the texture sheet in pixels +field_94225_e,originY,2,y position of this icon on the texture sheet in pixels +field_94226_b,textureList,2, +field_94227_c,rotated,2, +field_94228_a,textureSheet,2,texture sheet containing this texture +field_94229_n,minV,2, +field_94230_o,maxV,2, +field_94231_l,minU,2, +field_94232_m,maxU,2, +field_94233_j,width,2,width of this icon in pixels +field_94234_k,height,2,height of this icon in pixels +field_94235_h,textureName,2, +field_94236_i,listAnimationTuples,2, +field_94237_q,heightNorm,2, +field_94238_p,widthNorm,2, +field_94242_j,angleDelta,2,Speed and direction of compass rotation +field_94243_h,compassTexture,2, +field_94244_i,currentAngle,2,Current compass heading in radians +field_94249_f,missingImage,2, +field_94250_g,missingTextureStiched,2, +field_94251_d,textureExt,2, +field_94252_e,mapTexturesStiched,2, +field_94253_b,textureName,2, +field_94254_c,basePath,2, +field_94255_a,textureType,2,"0 = terrain.png, 1 = items.png" +field_94256_j,textureStichedMap,2, +field_94257_h,atlasTexture,2, +field_94258_i,listTextureStiched,2, +field_94268_d,mapNameToId,2, +field_94269_b,nextTextureID,2, +field_94270_c,texturesMap,2, +field_94271_a,instance,2, +field_94287_f,textureDepth,2, +field_94288_g,textureFormat,2, +field_94289_d,width,2,Width of this texture in pixels. +field_94290_e,height,2,Height of this texture in pixels. +field_94291_b,textureId,2, +field_94292_c,textureType,2, +field_94293_a,glTextureId,2, +field_94294_n,textureRect,2, +field_94295_o,transferred,2, +field_94296_l,mipmapActive,2, +field_94297_m,textureName,2, +field_94298_j,textureMagFilter,2, +field_94299_k,textureWrap,2, +field_94300_h,textureTarget,2, +field_94301_i,textureMinFilter,2, +field_94302_r,textureData,2, +field_94303_q,textureNotModified,2,False if the texture has been modified since it was last uploaded to the GPU. +field_94304_p,autoCreate,2,"Uninitialized boolean. If true, the texture is re-uploaded every time it's modified. If false, every tick after it's been modified at least once in that tick." +field_94313_f,maxHeight,2, +field_94314_g,forcePowerOf2,2, +field_94315_d,currentHeight,2, +field_94316_e,maxWidth,2, +field_94317_b,stitchSlots,2, +field_94318_c,currentWidth,2, +field_94319_a,setStitchHolders,2, +field_94320_l,textureName,2, +field_94322_k,atlasTexture,2, +field_94323_h,maxTileDimension,2,Max size (width or height) of a single tile +field_94336_cN,blockIcon,2, +field_94337_cv,railActivator,2, +field_94338_cu,stairsNetherQuartz,2, +field_94339_ct,blockNetherQuartz,2, +field_94340_cs,hopperBlock,2, +field_94341_cq,blockRedstone,2, +field_94342_cr,oreNetherQuartz,2, +field_94343_co,redstoneComparatorActive,2, +field_94344_cp,daylightSensor,2, +field_94345_cm,pressurePlateIron,2, +field_94346_cn,redstoneComparatorIdle,2, +field_94347_ck,chestTrapped,2, +field_94348_cl,pressurePlateGold,2, +field_94349_a,iconArray,2, +field_94356_a,pressurePlateIconName,2, +field_94357_a,maxItemsWeighted,2,The maximum number of items the plate weights. +field_94359_b,theIcon,2, +field_94362_b,theIcon,2, +field_94363_a,iconArray,2, +field_94364_a,iconArray,2, +field_94365_a,iconArray,2, +field_94366_b,iconArray,2, +field_94367_a,grassTypes,2, +field_94369_b,theIcon,2, +field_94371_c,saplingIcon,2, +field_94372_b,iconArray,2, +field_94376_b,cauldronTopIcon,2, +field_94377_c,cauldronBottomIcon,2, +field_94379_b,cactusBottomIcon,2, +field_94380_a,cactusTopIcon,2, +field_94381_b,cakeBottomIcon,2, +field_94383_a,cakeTopIcon,2, +field_94384_b,workbenchIconFront,2, +field_94385_a,workbenchIconTop,2, +field_94386_b,woodTextureTypes,2, +field_94387_c,iconArray,2, +field_94388_cO,tree_top,2, +field_94389_b,treeTextureTypes,2, +field_94390_c,iconArray,2, +field_94395_cQ,iconArray,2, +field_94401_cO,theIcon,2, +field_94414_cO,quartzblock_chiseled_top,2, +field_94415_cP,quartzblock_lines_top,2, +field_94416_cQ,quartzblock_top,2, +field_94417_cR,quartzblock_bottom,2, +field_94418_b,quartzBlockTextureTypes,2, +field_94419_c,quartzblockIcons,2, +field_94420_a,quartzBlockTypes,2, +field_94423_a,theIcon,2, +field_94425_a,theIcon,2, +field_94428_c,iconArray,2, +field_94430_b,breakableBlockIcon,2, +field_94431_cO,anvilIconNames,2, +field_94432_cP,iconArray,2, +field_94433_b,theIcon,2, +field_94435_b,iconSnowSide,2, +field_94436_c,iconGrassSideOverlay,2, +field_94437_a,iconGrassTop,2, +field_94439_c,iconArray,2, +field_94443_a,isTrapped,2,Determines whether of not the chest is trapped. +field_94445_a,iconArray,2, +field_94447_a,theIcon,2, +field_94449_b,theIcon,2, +field_94450_a,theIcon,2, +field_94454_cO,hopperInsideIcon,2, +field_94455_b,hopperIcon,2, +field_94456_c,hopperTopIcon,2, +field_94458_cO,furnaceIconTop,2, +field_94459_cP,furnaceIconFront,2, +field_94462_cO,furnaceFrontIcon,2, +field_94463_c,furnaceTopIcon,2, +field_94465_b,doorTypeForIcon,2,Used for pointing at icon names. +field_94466_c,iconArray,2, +field_94467_a,doorIconNames,2, +field_94469_b,iconArray,2, +field_94470_a,cocoaIcons,2, +field_94471_cO,bedTopIcons,2, +field_94473_c,bedSideIcons,2, +field_94497_cO,topIcon,2,Top icon of piston depends on (either sticky or normal) +field_94498_b,innerTopIcon,2,Only visible when piston is extended +field_94499_c,bottomIcon,2,Bottom side texture +field_94500_e,useProvidedWindowTitle,2,"If false, the client will look up a string like ""window.minecart"". If true, the client uses what the server provides." +field_94512_f,isStraightRail,2, +field_94513_g,railChunkPosition,2,The chunk position the rail is at. +field_94514_d,railY,2, +field_94515_e,railZ,2, +field_94516_b,logicWorld,2, +field_94517_c,railX,2, +field_94518_a,theRail,2, +field_94557_a,selectAnything,2, +field_94582_cb,minecartTnt,2, +field_94583_ca,netherQuartz,2, +field_94584_bZ,netherrackBrick,2, +field_94585_bY,comparator,2, +field_94593_a,theIcon,2, +field_94596_a,theIcon,2, +field_94598_a,theIcon,2, +field_94600_b,iconArray,2, +field_94601_a,bowPullIconNameArray,2, +field_94610_a,theTileEntity,2, +field_94612_a,theTileEntity,2, +field_96093_i,entityUniqueID,2, +field_96105_c,commandSenderName,2,"The name of command sender (usually username, but possibly ""Rcon"")" +field_96106_a,succesCount,2, +field_96113_a,isBlocked,2,Whether this hopper minecart is being blocked by an activator rail. +field_96291_i,pointedEntityLiving,2, +field_96442_D,worldScoreboard,2, +field_96452_b,flipU,2, +field_96453_c,flipV,2, +field_96454_a,baseIcon,2, +field_96458_b,defaultDispenserItemBehavior,2, +field_96459_b,defaultDispenserItemBehavior,2, +field_96460_b,defaultDispenserItemBehavior,2, +field_96462_b,potionItemStack,2, +field_96463_c,dispenserPotionBehavior,2, +field_96464_b,defaultDispenserItemBehavior,2, +field_96469_cy,dropper,2, +field_96474_cR,dropperDefaultBehaviour,2, +field_96480_b,scoreName,2,The unique name for the scoreboard to be displayed. +field_96481_a,scoreboardPosition,2,"The position of the scoreboard. 0 = list, 1 = sidebar, 2 = belowName." +field_96482_b,objectiveDisplayName,2, +field_96483_c,change,2,"0 to create scoreboard, 1 to remove scoreboard, 2 to update display text." +field_96484_a,objectiveName,2, +field_96485_d,updateOrRemove,2,0 to create/update an item. 1 to remove an item. +field_96486_b,scoreName,2,The unique name for the scoreboard to be updated. Only sent when updateOrRemove does not equal 1. +field_96487_c,value,2,The score to be displayed next to the entry. Only sent when Update/Remove does not equal 1. +field_96488_a,itemName,2,An unique name to be displayed in the list. +field_96489_f,mode,2,If 0 then the team is created. If 1 then the team is removed. If 2 the team team information is updated. If 3 then new players are added to the team. If 4 then players are removed from the team. +field_96491_d,teamSuffix,2,Only if mode = 0 or 2. Displayed after the players' name that are part of this team. +field_96492_e,playerNames,2,Only if mode = 0 or 3 or 4. Players to be added/remove from the team. +field_96493_b,teamDisplayName,2,Only if mode = 0 or 2. +field_96494_c,teamPrefix,2,Only if mode = 0 or 2. Displayed before the players' name that are part of this team. +field_96495_a,teamName,2,A unique name for the team. +field_96540_f,teamMemberships,2,Map of usernames to ScorePlayerTeam objects. +field_96545_a,scoreObjectives,2,Map of objective names to ScoreObjective objects. +field_96564_a,theEntity,2, +field_96566_b,selectInventories,2, +field_96569_b,theEntityTracker,2, +field_96600_cc,minecartHopper,2, +field_96601_a,theBlock,2, +field_96602_b,dispenserMinecartBehavior,2, +field_96633_b,playerInventory,2, +field_96634_a,theItemStack,2, +field_96656_b,theScoreboard,2, +field_96676_c,membershipSet,2,A set of all team member usernames. +field_96677_a,theScoreboard,2, +field_96683_d,displayName,2, +field_96684_b,name,2, +field_96685_c,objectiveCriteria,2,The ScoreObjectiveCriteria for this objetive +field_96686_a,theScoreboard,2, +field_96691_E,chatScale,2, +field_96692_F,chatWidth,2, +field_96693_G,chatHeightUnfocused,2, +field_96694_H,chatHeightFocused,2, +field_98040_a,mobSpawnerLogic,2,Mob spawner logic for this spawner minecart. +field_98044_b,transferTicker,2, +field_98048_c,transferCooldown,2, +field_98051_e,fallingBlockTileEntityData,2, +field_98130_m,serverLogAgent,2, +field_98151_a,theTexture,2, +field_98181_L,worldLogAgent,2,The log agent for this world. +field_98189_n,partialRenderBounds,2, +field_98203_f,offsetY,2,This is added to the Y position after being multiplied by random.nextGaussian() +field_98204_g,offsetZ,2,This is added to the Z position after being multiplied by random.nextGaussian() +field_98205_d,posZ,2,Z position of the particle. +field_98206_e,offsetX,2,This is added to the X position after being multiplied by random.nextGaussian() +field_98207_b,posX,2,X position of the particle. +field_98208_c,posY,2,Y position of the particle. +field_98209_a,particleName,2,The name of the particle to create. A list can be found at https://gist.github.com/thinkofdeath/5110835 +field_98210_h,speed,2,The speed of each particle. +field_98211_i,quantity,2,The number of particles to create. +field_98212_g,friendlyFire,2,Only if mode = 0 or 2. +field_98219_c,entityAvoiderAI,2, +field_98223_c,minecartName,2, +field_98226_b,theNetServerHandler,2, +field_98227_a,thePacket,2, +field_98239_d,loggerPrefix,2, +field_98240_b,logFile,2, +field_98241_c,loggerName,2, +field_98242_a,serverLogger,2, +field_98244_b,theNetServerHandler,2, +field_98245_a,thePacket,2, +field_98282_f,randomMinecart,2, +field_98283_g,minSpawnDelay,2, +field_98285_e,minecartToSpawn,2,List of minecart to spawn. +field_98286_b,spawnDelay,2,The delay to spawn. +field_98288_a,mobID,2, +field_98289_l,activatingRangeFromPlayer,2,The distance from which a player activates the spawner. +field_98290_m,spawnRange,2,The range coefficient for spawning entities around. +field_98292_k,maxNearbyEntities,2, +field_98293_h,maxSpawnDelay,2, +field_98294_i,spawnCount,2,A counter for spawn tries. +field_98295_a,mobSpawnerEntity,2,The mob spawner we deal with +field_98296_a,spawnerMinecart,2,The spawner minecart using this mob spawner logic. +field_98303_au,AMBIENT_OCCLUSIONS,2, +field_98307_f,fontTextureName,2, diff --git a/mappings/methods.csv b/mappings/methods.csv new file mode 100644 index 0000000..fc470b8 --- /dev/null +++ b/mappings/methods.csv @@ -0,0 +1,4455 @@ +func_100008_d,isDurationMax,2,"Returns true if duration is at maximum, false otherwise." +func_100009_j_,getFacing,2, +func_100011_g,getIsPotionDurationMax,2, +func_100012_b,setPotionDurationMax,2,Toggle the isPotionDurationMax field. +func_100015_a,isKeyDown,2,Returns whether the specified key binding is currently being pressed. +func_102007_a,canInsertItem,2,"Returns true if automation can insert the given item in the given slot from the given side. Args: Slot, item, side" +func_102008_b,canExtractItem,2,"Returns true if automation can extract the given item in the given slot from the given side. Args: Slot, item, side" +func_102013_b,canExtractItemFromInventory,2, +func_102026_a,isBlockTopFacingSurfaceSolid,2,"Performs check to see if the block is a normal, solid block, or if the metadata of the block indicates that its facing puts its solid side upwards. (inverted stairs, for example)" +func_102028_d,isSplashPotionEffect,2, +func_70000_a,addServerStatsToSnooper,2, +func_70001_b,addServerTypeToSnooper,2, +func_70002_Q,isSnooperEnabled,2,Returns whether snooping is enabled or not. +func_70003_b,canCommandSenderUseCommand,2,Returns true if the command sender is allowed to use the given command. +func_70004_a,translateString,2,Translates and formats the given string key with the given arguments. +func_70005_c_,getCommandSenderName,2,"Gets the name of this command sender (usually username, but possibly ""Rcon"")" +func_70006_a,sendChatToPlayer,2, +func_70007_b,resetLog,2,Clears the RCon log +func_70008_c,getChatBuffer,2, +func_70011_f,getDistance,2,"Gets the distance to the position. Args: x, y, z" +func_70012_b,setLocationAndAngles,2,Sets the location and Yaw/Pitch of an entity in the world +func_70013_c,getBrightness,2,Gets how bright this entity is. +func_70014_b,writeEntityToNBT,2,(abstract) Protected helper method to write subclass entity data to NBT. +func_70015_d,setFire,2,"Sets entity to burn for x amount of seconds, cannot lower amount of existing fire." +func_70016_h,setVelocity,2,"Sets the velocity to the args. Args: x, y, z" +func_70017_D,doBlockCollisions,2,"Checks for block collisions, and calls the associated onBlockCollided method for the collided block." +func_70018_K,setBeenAttacked,2,Sets that this entity has been attacked. +func_70019_c,setEating,2, +func_70020_e,readFromNBT,2,Reads the entity from NBT (calls an abstract helper method to read specialized data) +func_70021_al,getParts,2,Return the Entity parts making up this Entity (currently only for dragons) +func_70022_Q,getEntityString,2,Returns the string that identifies this Entity's class +func_70023_ak,getEntityName,2,Gets the username of the entity. +func_70024_g,addVelocity,2,"Adds to the current velocity of the entity. Args: x, y, z" +func_70025_b,dropItem,2,"Drops an item stack at the entity's position. Args: itemID, count" +func_70026_G,isWet,2,Checks if this entity is either in water or on an open air block in rain (used in wolves). +func_70027_ad,isBurning,2,Returns true if the entity is on fire. Used by render to add the fire effect on rendering. +func_70028_i,isEntityEqual,2,Returns true if Entity argument is equal to this Entity +func_70029_a,setWorld,2,Sets the reference to the World object. +func_70030_z,onEntityUpdate,2,Gets called every tick from main Entity class +func_70031_b,setSprinting,2,Set sprinting switch for Entity. +func_70032_d,getDistanceToEntity,2,Returns the distance to the entity. Args: entity +func_70033_W,getYOffset,2,Returns the Y Offset of this entity. +func_70034_d,setRotationYawHead,2,Sets the head's yaw rotation of the entity. +func_70035_c,getLastActiveItems,2, +func_70036_a,playStepSound,2,"Plays step sound at given x, y, z for the entity" +func_70037_a,readEntityFromNBT,2,(abstract) Protected helper method to read subclass entity data from NBT. +func_70038_c,isOffsetPositionInLiquid,2,"Checks if the offset position from the entity's current position is inside of liquid. Args: x, y, z" +func_70039_c,addEntityID,2,adds the ID of this entity to the NBT given +func_70040_Z,getLookVec,2,returns a (normalized) vector of where this entity is looking +func_70041_e_,canTriggerWalking,2,returns if this entity triggers Block.onEntityWalking on the blocks they walk on. used for spiders and wolves to prevent them from trampling crops +func_70042_X,getMountedYOffset,2,Returns the Y offset from the entity's position for any entity riding this one. +func_70043_V,updateRiderPosition,2, +func_70044_A,setOnFireFromLava,2,Called whenever the entity is walking inside of lava. +func_70045_F,isImmuneToFire,2, +func_70046_E,getBoundingBox,2,returns the bounding box for this entity +func_70047_e,getEyeHeight,2, +func_70048_i,pushOutOfBlocks,2,"Adds velocity to push the entity out of blocks at the specified x, y, z position Args: x, y, z" +func_70049_a,newFloatNBTList,2,Returns a new NBTTagList filled with the specified floats +func_70050_g,setAir,2, +func_70051_ag,isSprinting,2,Get if the Entity is sprinting. +func_70052_a,setFlag,2,"Enable or disable a entity flag, see getEntityFlag to read the know flags." +func_70053_R,getShadowSize,2, +func_70054_a,dropItemWithOffset,2,"Drops an item stack with a specified y offset. Args: itemID, count, yOffset" +func_70055_a,isInsideOfMaterial,2,Checks if the current block the entity is within of the specified material type +func_70056_a,setPositionAndRotation2,2,"Sets the position and rotation. Only difference from the other one is no bounding on the rotation. Args: posX, posY, posZ, yaw, pitch" +func_70057_ab,performHurtAnimation,2,Setups the entity to do the hurt animation. Only used by packets in multiplayer. +func_70058_J,handleLavaMovement,2,Whether or not the current entity is in lava +func_70059_ac,updateCloak,2, +func_70060_a,moveFlying,2,Used in both water and by flying objects +func_70061_h,unmountEntity,2,Called when a player unounts an entity. +func_70062_b,setCurrentItemOrArmor,2,"Sets the held item, or an armor slot. Slot 0 is held item. Slot 1-4 is armor. Params: Item, slot" +func_70063_aa,setInPortal,2,Called by portal blocks when an entity is within it. +func_70064_a,updateFallState,2,"Takes in the distance the entity has fallen this tick and whether its on the ground to update the fall distance and deal fall damage if landing on the ground. Args: distanceFallenThisTick, onGround" +func_70065_x,preparePlayerToSpawn,2,Keeps moving the entity up so it isn't colliding with blocks and other requirements for this entity to be spawned (only actually used on players though its also on Entity) +func_70066_B,extinguish,2,Removes fire from entity. +func_70067_L,canBeCollidedWith,2,Returns true if other Entities should be prevented from moving through this Entity. +func_70068_e,getDistanceSqToEntity,2,Returns the squared distance to the entity. Args: entity +func_70069_a,fall,2,Called when the mob is falling. Calculates and applies fall damage. +func_70070_b,getBrightnessForRender,2, +func_70071_h_,onUpdate,2,Called to update the entity's position/logic. +func_70072_I,handleWaterMovement,2,Returns if this entity is in water and will end up adding the waters velocity to the entity +func_70073_O,getTexture,2,Returns the texture's file path as a String. +func_70074_a,onKillEntity,2,This method gets called when the entity kills another one. +func_70075_an,canAttackWithItem,2,"If returns false, the item will not inflict any damage against entities." +func_70076_C,kill,2,sets the dead flag. Used when you fall off the bottom of the world. +func_70077_a,onStruckByLightning,2,Called when a lightning bolt hits the entity. +func_70078_a,mountEntity,2,"Called when a player mounts an entity. e.g. mounts a pig, mounts a boat." +func_70079_am,getRotationYawHead,2, +func_70080_a,setPositionAndRotation,2,"Sets the entity's position and rotation. Args: posX, posY, posZ, yaw, pitch" +func_70081_e,dealFireDamage,2,Will deal the specified amount of damage to the entity if the entity isn't immune to fire damage. Args: amountDamage +func_70082_c,setAngles,2,"Adds par1*0.15 to the entity's yaw, and *subtracts* par2*0.15 from the pitch. Clamps pitch from -90 to 90. Both arguments in degrees." +func_70083_f,getFlag,2,Returns true if the flag is active for the entity. Known flags: 0) is burning; 1) is sneaking; 2) is riding something; 3) is sprinting; 4) is eating +func_70084_c,addToPlayerScore,2,"Adds a value to the player score. Currently not actually used and the entity passed in does nothing. Args: entity, scoreToAdd" +func_70085_c,interact,2,"Called when a player interacts with a mob. e.g. gets milk from a cow, gets into the saddle on a pig." +func_70086_ai,getAir,2, +func_70087_a,newDoubleNBTList,2,creates a NBT list from the array of doubles passed to this function +func_70088_a,entityInit,2, +func_70089_S,isEntityAlive,2,Checks whether target entity is alive. +func_70090_H,isInWater,2,Checks if this entity is inside water (if inWater field is true as a result of handleWaterMovement() returning true) +func_70091_d,moveEntity,2,"Tries to moves the entity by the passed in displacement. Args: x, y, z" +func_70092_e,getDistanceSq,2,"Gets the squared distance to the position. Args: x, y, z" +func_70093_af,isSneaking,2,Returns if this entity is sneaking. +func_70094_T,isEntityInsideOpaqueBlock,2,Checks if this entity is inside of an opaque block +func_70095_a,setSneaking,2,Sets the sneaking flag. +func_70096_w,getDataWatcher,2, +func_70097_a,attackEntityFrom,2,Called when the entity is attacked. +func_70098_U,updateRidden,2,Handles updating while being ridden by an entity +func_70099_a,entityDropItem,2,Drops an item at the position of the entity. +func_70100_b_,onCollideWithPlayer,2,Called by a player entity when they collide with an entity +func_70101_b,setRotation,2,Sets the rotation of the entity +func_70102_a,isInRangeToRenderVec3D,2,Checks using a Vec3d to determine if this entity is within range of that vector to be rendered. Args: vec3D +func_70103_a,handleHealthUpdate,2, +func_70104_M,canBePushed,2,Returns true if this entity should push and be pushed by other entities when colliding. +func_70105_a,setSize,2,"Sets the width and height of the entity. Args: width, height" +func_70106_y,setDead,2,Will get destroyed next tick. +func_70107_b,setPosition,2,"Sets the x,y,z of the entity from the given parameters. Also seems to set up a bounding box." +func_70108_f,applyEntityCollision,2,Applies a velocity to each of the entities pushing them away from each other. Args: entity +func_70109_d,writeToNBT,2,Save the entity to NBT (calls an abstract helper method to write extra data) +func_70110_aj,setInWeb,2,Sets the Entity inside a web block. +func_70111_Y,getCollisionBorderSize,2, +func_70112_a,isInRangeToRenderDist,2,Checks if the entity is in range to render by using the past in distance and comparing it to its average edge length * 64 * renderDistanceWeight Args: distance +func_70113_ah,isEating,2, +func_70114_g,getCollisionBox,2,"Returns a boundingBox used to collide the entity with other entities and blocks. This enables the entity to be pushable on contact, like boats or minecarts." +func_70115_ae,isRiding,2,"Returns true if the entity is riding another entity, used by render to rotate the legs to be in 'sit' position for players." +func_70184_a,onImpact,2,Called when this EntityThrowable hits a block or entity. +func_70185_h,getGravityVelocity,2,Gets the amount of gravity to apply to the thrown entity with each tick. +func_70186_c,setThrowableHeading,2,"Similar to setArrowHeading, it's point the throwable entity to a x, y, z direction." +func_70196_i,getPotionDamage,2,Returns the damage value of the thrown potion that this EntityPotion represents. +func_70198_d,catchFish,2, +func_70199_c,calculateVelocity,2, +func_70220_a,moveTowards,2,"The location the eye should float/move towards. Currently used for moving towards the nearest stronghold. Args: strongholdX, strongholdY, strongholdZ" +func_70227_a,onImpact,2,Called when this EntityFireball hits a block or entity. +func_70239_b,setDamage,2, +func_70240_a,setKnockbackStrength,2,Sets the amount of knockback the arrow applies when it hits a mob. +func_70241_g,getIsCritical,2,Whether the arrow has a stream of critical hit particles flying behind it. +func_70242_d,getDamage,2, +func_70243_d,setIsCritical,2,Whether the arrow has a stream of critical hit particles flying behind it. +func_70265_b,setTimeSinceHit,2,Sets the time to count down from since the last time entity was hit. +func_70266_a,setDamageTaken,2,Sets the damage taken from the last hit. +func_70267_i,getForwardDirection,2,Gets the forward direction of the entity. +func_70268_h,getTimeSinceHit,2,Gets the time since the last hit. +func_70269_c,setForwardDirection,2,Sets the forward direction of the entity. +func_70271_g,getDamageTaken,2,Gets the damage taken from the last hit. +func_70283_d,getWorld,2, +func_70288_d,setAgeToCreativeDespawnTime,2,sets the age of the item so that it'll despawn one minute after it has been dropped (instead of five). Used when items are dropped from players in creative mode +func_70289_a,combineItems,2,Tries to merge this item with the item passed as the parameter. Returns true if successful. Either this item or the other item will be removed from the world. +func_70295_k_,openChest,2, +func_70296_d,onInventoryChanged,2,"Called when an the contents of an Inventory change, usually" +func_70297_j_,getInventoryStackLimit,2,"Returns the maximum stack size for a inventory slot. Seems to always be 64, possibly will be extended. *Isn't this more of a set than a get?*" +func_70298_a,decrStackSize,2,Removes from an inventory slot (first arg) up to a specified number (second arg) of items and returns them in a new stack. +func_70299_a,setInventorySlotContents,2,Sets the given item stack to the specified slot in the inventory (can be crafting or armor sections). +func_70300_a,isUseableByPlayer,2,Do not make give this method the name canInteractWith because it clashes with Container +func_70301_a,getStackInSlot,2,Returns the stack in slot i +func_70302_i_,getSizeInventory,2,Returns the number of slots in the inventory. +func_70303_b,getInvName,2,Returns the name of the inventory. +func_70304_b,getStackInSlotOnClosing,2,"When some containers are closed they call this on each slot, then drop whatever it returns as an EntityItem - like when you close a workbench GUI." +func_70305_f,closeChest,2, +func_70306_a,addMapping,2,Adds a new two-way mapping between the class and its string name in both hashmaps. +func_70307_a,readFromNBT,2,Reads a tile entity from NBT. +func_70308_a,setWorldObj,2,Sets the worldObj for this tileEntity. +func_70310_b,writeToNBT,2,Writes a tile entity to NBT. +func_70311_o,getBlockType,2,Gets the block type at the location of this entity (client-only). +func_70312_q,validate,2,validates a tile entity +func_70313_j,invalidate,2,invalidates a tile entity +func_70314_l,getWorldObj,2,Returns the worldObj for this tileEntity. +func_70315_b,receiveClientEvent,2,"Called when a client event is received with the event number and argument, see World.sendClientEvent" +func_70316_g,updateEntity,2,"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." +func_70317_c,createAndLoadEntity,2,Creates a new entity and loads its data from the specified NBT. +func_70318_a,getDistanceFrom,2,Returns the square of the distance between this entity and the passed in coordinates. +func_70319_e,getDescriptionPacket,2,Overriden in a sign to provide the text. +func_70320_p,isInvalid,2,"returns true if tile entity is invalid, false otherwise" +func_70321_h,updateContainingBlockInfo,2,"Causes the TileEntity to reset all it's cached values for it's container block, blockID, metaData and in the case of chests, the adjcacent chest check" +func_70322_n,getBlockMetadata,2,Returns block data at the location of this entity (client-only). +func_70332_d,getOffsetZ,2, +func_70333_a,getProgress,2,Get interpolated progress value (between lastProgress and progress) given the fractional time between ticks as an argument. +func_70334_c,getOffsetY,2, +func_70335_a,updatePushedObjects,2, +func_70336_c,getPistonOrientation,2,Returns the orientation of the piston as an int +func_70337_b,getOffsetX,2, +func_70338_f,shouldRenderHead,2, +func_70339_i,clearPistonTileEntity,2,"removes a pistons tile entity (and if the piston is moving, stops it)" +func_70340_a,getStoredBlockID,2, +func_70341_b,isExtending,2,Returns true if a piston is extending +func_70350_k,canBrew,2, +func_70351_i,getFilledSlots,2,returns an integer with each bit specifying wether that slot of the stand contains a potion +func_70352_b,getPotionResult,2,The result of brewing a potion of the specified damage value with an ingredient itemstack. +func_70353_r,brewPotions,2, +func_70354_c,setBrewTime,2, +func_70355_t_,getBrewTime,2, +func_70360_a,addItem,2,Add item stack in first available inventory slot +func_70361_i,getRandomStackFromInventory,2, +func_70364_a,openChest,2, +func_70365_a,isUseableByPlayer,2, +func_70366_b,closeChest,2, +func_70397_c,getCookProgressScaled,2,Returns an integer between 0 and the passed value representing how close the current item is to being completely cooked +func_70398_a,getItemBurnTime,2,"Returns the number of ticks that the supplied fuel item will keep the furnace burning, or 0 if the item isn't fuel" +func_70399_k,smeltItem,2,Turn one item from the furnace source stack into the appropriate smelted item in the furnace result stack +func_70400_i,isBurning,2,Returns true if the furnace is currently burning +func_70401_b,isItemFuel,2,Return true if item is a fuel source (getItemBurnTime() > 0). +func_70402_r,canSmelt,2,"Returns true if the furnace can smelt an item, i.e. has a source item, destination stack isn't full, etc." +func_70403_d,getBurnTimeRemainingScaled,2,"Returns an integer between 0 and the passed value representing how much burn time is left on the current fuel item, where 0 means that the item is exhausted and the passed value means that the item is fresh" +func_70408_a,setEditable,2,Sets the sign's isEditable flag to the specified parameter. +func_70409_a,isEditable,2, +func_70413_a,changePitch,2,change pitch by -> (currentPitch + 1) % 25 +func_70414_a,triggerNote,2,plays the stored note +func_70418_i,checkForAdjacentChests,2,Performs the check for adjacent chests to determine if this chest is double or not. +func_70429_k,decrementAnimations,2,Decrement the number of animations remaining. Only called on client side. This is used to handle the animation of receiving a block. +func_70430_l,getTotalArmorValue,2,"Based on the damage values and maximum damage values of each armor item, returns the current armor value." +func_70431_c,hasItemStack,2,Returns true if the specified ItemStack exists in the inventory. +func_70432_d,storeItemStack,2,stores an itemstack in the users inventory +func_70433_a,setCurrentItem,2,Sets a specific itemID as the current item being held (only if it exists on the hotbar) +func_70434_c,getInventorySlotContainItemAndDamage,2, +func_70435_d,consumeInventoryItem,2,"removed one item of specified itemID from inventory (if it is in a stack, the stack size will reduce with 1)" +func_70436_m,dropAllItems,2,Drop all armor and main inventory items. +func_70437_b,setItemStack,2, +func_70438_a,getStrVsBlock,2,"Gets the strength of the current item (tool) against the specified block, 1.0f if not holding anything." +func_70440_f,armorItemInSlot,2,returns a player armor item (as itemstack) contained in specified armor slot. +func_70441_a,addItemStackToInventory,2,"Adds the item stack to the inventory, returns false if it is impossible." +func_70442_a,writeToNBT,2,"Writes the inventory out as a list of compound tags. This is where the slot indices are used (+100 for armor, +80 for crafting)." +func_70443_b,readFromNBT,2,Reads from the given tag list and fills the slots in the inventory with the correct items. +func_70444_a,getDamageVsEntity,2,"Return damage vs an entity done by the current held weapon, or 1 if nothing is held" +func_70445_o,getItemStack,2, +func_70446_h,getInventorySlotContainItem,2,Returns a slot index in main inventory containing a specific itemID +func_70447_i,getFirstEmptyStack,2,Returns the first item stack that is empty. +func_70448_g,getCurrentItem,2,Returns the item stack currently held by the player. +func_70449_g,damageArmor,2,Damages armor in each slot by the specified amount. +func_70450_e,hasItem,2,Get if a specifiied item id is inside the inventory. +func_70451_h,getHotbarSize,2,Get the size of the player hotbar inventory +func_70452_e,storePartialItemStack,2,This function stores as many items of an ItemStack as possible in a matching slot and returns the quantity of left over items. +func_70453_c,changeCurrentItem,2,Switch the current item to the next one or the previous one +func_70454_b,canHarvestBlock,2,Returns whether the current item (tool) can harvest from the specified block (actually get a result). +func_70455_b,copyInventory,2,Copy the ItemStack contents from another InventoryPlayer instance +func_70463_b,getStackInRowAndColumn,2,"Returns the itemstack in the slot specified (Top left is 0, 0). Args: row, column" +func_70468_h,getCurrentRecipe,2, +func_70469_d,inventoryResetNeededOnSlotChange,2,"if par1 slot has changed, does resetRecipeAndSlots need to be called?" +func_70470_g,resetRecipeAndSlots,2, +func_70471_c,setCurrentRecipeIndex,2, +func_70485_a,setAssociatedChest,2, +func_70486_a,loadInventoryFromNBT,2, +func_70487_g,saveInventoryToNBT,2, +func_70491_i,getDamage,2,Gets the current amount of damage the minecart has taken. Decreases over time. The cart breaks when this is over 40. +func_70492_c,setDamage,2,Sets the current amount of damage the minecart has taken. Decreases over time. The cart breaks when this is over 40. +func_70493_k,getRollingDirection,2,Gets the rolling direction the cart rolls while being attacked. Can be 1 or -1. +func_70494_i,setRollingDirection,2,Sets the rolling direction the cart rolls while being attacked. Can be 1 or -1. +func_70496_j,getRollingAmplitude,2,Gets the rolling amplitude the cart rolls while being attacked. +func_70497_h,setRollingAmplitude,2,Sets the rolling amplitude the cart rolls while being attacked. +func_70515_d,explode,2, +func_70518_d,onValidSurface,2,checks to make sure painting can be placed there +func_70526_d,getXpValue,2,Returns the XP value of this XP orb. +func_70527_a,getXPSplit,2,Get xp split rate (Is called until the xp drop code in EntityLiving.onEntityUpdate is complete) +func_70528_g,getTextureByXP,2,Returns a number from 1 to 10 based on how much XP this orb is worth. This is used by RenderXPOrb to determine what texture to use. +func_70534_d,getRedColorF,2, +func_70535_g,getBlueColorF,2, +func_70536_a,setParticleTextureIndex,2,Public method to set private field particleTextureIndex. +func_70537_b,getFXLayer,2, +func_70538_b,setRBGColorF,2, +func_70539_a,renderParticle,2, +func_70541_f,multipleParticleScaleBy,2, +func_70542_f,getGreenColorF,2, +func_70543_e,multiplyVelocity,2, +func_70589_b,setBaseSpellTextureIndex,2,Sets the base spell texture index +func_70598_b,setHomeArea,2, +func_70599_aP,getSoundVolume,2,Returns the volume for the sounds this mob makes. +func_70600_l,dropRareDrop,2, +func_70601_bi,getCanSpawnHere,2,Checks if the entity's current position is a valid location to spawn this entity. +func_70602_aC,getHomePosition,2, +func_70603_bj,getRenderSizeModifier,2,Returns render size modifier +func_70604_c,setRevengeTarget,2, +func_70605_aq,getMoveHelper,2, +func_70606_j,setEntityHealth,2, +func_70607_j,setLastAttackingEntity,2, +func_70608_bn,isPlayerSleeping,2,Returns whether player is sleeping or not +func_70609_aI,onDeathUpdate,2,"handles entity death timer, experience orb and particle creation" +func_70610_aX,isMovementBlocked,2,Dead and sleeping entities cannot move +func_70611_aB,isWithinHomeDistanceCurrentPosition,2,Returns true if entity is within home distance from current position +func_70612_e,moveEntityWithHeading,2,"Moves the entity based on the specified heading. Args: strafe, forward" +func_70613_aW,isClientWorld,2,Returns whether the entity is in a local (client) world +func_70614_a,rayTrace,2,"Performs a ray trace for the distance specified and using the partial tick time. Args: distance, partialTickTime" +func_70615_aA,eatGrassBonus,2,This function applies the benefits of growing back wool and faster growing up to the acting entity. (This function is used in the AIEatGrass) +func_70616_bs,getSpeedModifier,2,"This method returns a value to be applied directly to entity speed, this factor is less than 1 when a slowdown potion effect is applied, more than 1 when a haste potion effect is applied and 2 for fleeing entities." +func_70617_f_,isOnLadder,2,"returns true if this entity is by a ladder, false otherwise" +func_70618_n,removePotionEffectClient,2,Remove the speified potion effect from this entity. +func_70619_bc,updateAITasks,2, +func_70620_b,getItemIcon,2,Gets the Icon Index of the item currently held +func_70621_aR,getHurtSound,2,Returns the sound this mob makes when it is hurt. +func_70622_aF,hasHome,2, +func_70623_bb,despawnEntity,2,Makes the entity despawn if requirements are reached +func_70624_b,setAttackTarget,2,Sets the active target the Task system uses for tracking +func_70625_a,faceEntity,2,Changes pitch and yaw so that the entity calling the function is facing the entity provided as an argument. +func_70626_be,updateEntityActionState,2, +func_70627_aG,getTalkInterval,2,"Get number of ticks, at least during which the living entity will be silent." +func_70628_a,dropFewItems,2,Drop 0-2 items of this living's type. @param par1 - Whether this entity has recently been hit by a player. @param par2 - Level of Looting used to kill this mob. +func_70629_bd,updateAITick,2,"main AI tick function, replaces updateEntityActionState" +func_70630_aN,getHealth,2, +func_70631_g_,isChild,2,"If Animal, checks if the age timer is negative" +func_70632_aY,isBlocking,2, +func_70633_aT,getDropItemId,2,Returns the item ID for the item the mob drops on death. +func_70634_a,setPositionAndUpdate,2,"Move the entity to the coordinates informed, but keep yaw/pitch values." +func_70635_at,getEntitySenses,2,returns the EntitySenses Object for the EntityLiving +func_70636_d,onLivingUpdate,2,"Called frequently so the entity can update its state every tick as required. For example, zombies and skeletons use this to react to sunlight and start to burn." +func_70637_d,setJumping,2, +func_70638_az,getAttackTarget,2,Gets the active target the Task system uses for tracking +func_70639_aQ,getLivingSound,2,Returns the sound this mob makes while it's alive. +func_70640_aD,getMaximumHomeDistance,2, +func_70641_bl,getMaxSpawnedInChunk,2,Will return how many at most can spawn in a chunk at once. +func_70642_aH,playLivingSound,2,Plays living's sound at its position +func_70643_av,getAITarget,2, +func_70644_a,isPotionActive,2, +func_70645_a,onDeath,2,Called when the mob's health reaches 0. +func_70646_bf,getVerticalFaceSpeed,2,The speed it takes to move the entityliving's rotationPitch through the faceEntity method. This is only currently use in wolves. +func_70647_i,getSoundPitch,2,Gets the pitch of living sounds in living entities. +func_70648_aU,canBreatheUnderwater,2, +func_70649_d,isWithinHomeDistance,2, +func_70650_aV,isAIEnabled,2,Returns true if the newer Entity AI code should be run +func_70651_bq,getActivePotionEffects,2, +func_70652_k,attackEntityAsMob,2, +func_70653_a,knockBack,2,knocks back this entity +func_70654_ax,getAge,2, +func_70655_b,applyArmorCalculations,2,"Reduces damage, depending on armor" +func_70656_aK,spawnExplosionParticle,2,Spawns an explosion particle around the Entity's location +func_70657_f,setMoveForward,2, +func_70658_aO,getTotalArmorValue,2,Returns the current armor value as determined by a call to InventoryPlayer.getTotalArmorValue +func_70659_e,setAIMoveSpeed,2,set the movespeed used for the new AI system +func_70660_b,getActivePotionEffect,2,"returns the PotionEffect for the supplied Potion if it is active, null otherwise." +func_70661_as,getNavigator,2, +func_70662_br,isEntityUndead,2,Returns true if this entity is undead. +func_70663_b,updateRotation,2,"Arguments: current rotation, intended rotation, max increment." +func_70664_aZ,jump,2,Causes this entity to do an upwards motion (jumping). +func_70665_d,damageEntity,2,Deals damage to the entity. If its a EntityPlayer then will take damage from the armor first and then health second with the reduced value. Args: damageAmount +func_70666_h,getPosition,2,interpolated position vector +func_70667_aM,getMaxHealth,2, +func_70668_bt,getCreatureAttribute,2,Get this Entity's EnumCreatureAttribute +func_70669_a,renderBrokenItemStack,2,Renders broken item particles using the given ItemStack +func_70670_a,onNewPotionEffect,2, +func_70671_ap,getLookHelper,2, +func_70672_c,applyPotionDamageCalculations,2,"Reduces damage, depending on potions" +func_70673_aS,getDeathSound,2,Returns the sound this mob makes on death. +func_70674_bp,clearActivePotions,2, +func_70675_k,damageArmor,2, +func_70676_i,getLook,2,interpolated look vector +func_70677_aE,detachHome,2, +func_70678_g,getSwingProgress,2,Returns where in the swing animation the living entity is (from 0 to 1). Args: partialTickTime +func_70679_bo,updatePotionEffects,2, +func_70680_aw,getLastAttackingEntity,2, +func_70681_au,getRNG,2, +func_70682_h,decreaseAirSupply,2,Decrements the entity's air supply when underwater +func_70683_ar,getJumpHelper,2, +func_70684_aJ,isPlayer,2,Only use is to identify if class is an instance of player for experience dropping +func_70685_l,canEntityBeSeen,2,returns true if the entity provided in the argument can be seen. (Raytrace) +func_70686_a,canAttackClass,2,Returns true if this entity can attack entities of the specified class. +func_70687_e,isPotionApplicable,2, +func_70688_c,onFinishedPotionEffect,2, +func_70689_ay,getAIMoveSpeed,2,the movespeed used for the new AI system +func_70690_d,addPotionEffect,2,adds a PotionEffect to the entity +func_70691_i,heal,2,Heal living entity (param: amount of half-hearts) +func_70692_ba,canDespawn,2,"Determines if an entity can be despawned, used on idle far away entities" +func_70693_a,getExperiencePoints,2,Get the experience points the entity currently has. +func_70694_bm,getHeldItem,2,"Returns the item that this EntityLiving is holding, if any." +func_70695_b,onChangedPotionEffect,2, +func_70777_m,getEntityToAttack,2,Returns current entities target +func_70778_a,setPathToEntity,2,sets the Entities walk path in EntityCreature +func_70779_j,updateWanderPath,2,Time remaining during which the Animal is sped up and flees. +func_70780_i,isMovementCeased,2,Disables a mob's ability to move on its own while true. +func_70781_l,hasPath,2,Returns true if entity has a path to follow +func_70782_k,findPlayerToAttack,2,"Finds the closest player within 16 blocks to attack, or null if this Entity isn't interested in attacking (Animals, Spiders at day, peaceful PigZombies)." +func_70783_a,getBlockPathWeight,2,"Takes a coordinate in and returns a weight to determine how likely this creature will try to path to the block. Args: x, y, z" +func_70784_b,setTarget,2,Sets the entity which is to be attacked. +func_70785_a,attackEntity,2,Basic mob attack. Default to touch of death in EntityCreature. Overridden by each mob to define their attack. +func_70790_a,isCourseTraversable,2,True if the ghast has an unobstructed line of travel to the waypoint. +func_70799_a,setSlimeSize,2, +func_70800_m,canDamagePlayer,2,Indicates weather the slime is able to damage the player (based upon the slime's size) +func_70801_i,getSlimeParticle,2,Returns the name of a particle effect that may be randomly created by EntitySlime.onUpdate() +func_70802_j,createInstance,2, +func_70803_o,getJumpSound,2,Returns the name of the sound played when the slime jumps. +func_70804_p,makesSoundOnLand,2,Returns true if the slime makes a sound when it lands after a jump (based upon the slime's size) +func_70805_n,getAttackStrength,2,"Gets the amount of damage dealt to the player when ""attacked"" by the slime." +func_70806_k,getJumpDelay,2,Gets the amount of time the slime needs to wait between jumps. +func_70807_r,makesSoundOnJump,2,Returns true if the slime makes a sound when it jumps (based upon the slime's size) +func_70809_q,getSlimeSize,2,Returns the size of the slime. +func_70814_o,isValidLightLevel,2,Checks to make sure the light is not too bright where the mob is spawning +func_70816_c,teleportToEntity,2,Teleport the enderman to another entity +func_70817_b,setCarryingData,2,Set the metadata of the block an enderman carries +func_70818_a,setCarried,2,Set the id of the block an enderman carries +func_70819_e,setScreaming,2, +func_70820_n,teleportRandomly,2,Teleport the enderman to a random nearby position +func_70821_d,shouldAttackPlayer,2,Checks to see if this enderman should be attacking this player +func_70822_p,getCarried,2,Get the id of the block an enderman carries +func_70823_r,isScreaming,2, +func_70824_q,getCarryingData,2,Get the metadata of the block an enderman carries +func_70825_j,teleportTo,2,Teleport the enderman +func_70829_a,setCreeperState,2,"Sets the state of creeper, -1 to idle and 1 to be 'in fuse'" +func_70830_n,getPowered,2,Returns true if the creeper is powered by a lightning bolt. +func_70831_j,getCreeperFlashIntensity,2,Params: (Float)Render tick. Returns the intensity of the creeper's flash when it is ignited. +func_70832_p,getCreeperState,2,"Returns the current state of creeper, -1 is idle, 1 is 'in fuse'" +func_70835_c,becomeAngryAt,2,Causes this PigZombie to become angry at the supplied Entity (which will be a player). +func_70839_e,setBesideClimbableBlock,2,"Updates the WatchableObject (Byte) created in entityInit(), setting it to 0x01 if par1 is true or 0x00 if it is false." +func_70840_n,spiderScaleAmount,2,How large the spider should be scaled. +func_70841_p,isBesideClimbableBlock,2,Returns true if the WatchableObject (Byte) is 0x01 otherwise returns false. The WatchableObject is updated using setBesideClimableBlock. +func_70849_f,setPlayerCreated,2, +func_70850_q,isPlayerCreated,2, +func_70851_e,setHoldingRose,2, +func_70852_n,getVillage,2, +func_70853_p,getHoldRoseTick,2, +func_70854_o,getAttackTimer,2, +func_70873_a,setGrowingAge,2,"The age value may be negative or positive or zero. If it's negative, it get's incremented on each tick, if it's positive, it get's decremented each tick. With a negative value the Entity is considered a child." +func_70874_b,getGrowingAge,2,"The age value may be negative or positive or zero. If it's negative, it get's incremented on each tick, if it's positive, it get's decremented each tick. Don't confuse this with EntityLiving.getAge. With a negative value the Entity is considered a child." +func_70875_t,resetInLove,2, +func_70876_c,procreate,2,Creates a baby animal according to the animal type of the target at the actual position and spawns 'love' particles. +func_70877_b,isBreedingItem,2,"Checks if the parameter is an item which this animal can be fed to breed it (wheat, carrots or seeds depending on the animal type)" +func_70878_b,canMateWith,2,Returns true if the mob is currently able to mate with the specified mob. +func_70879_a,spawnBabyAnimal,2,This function is used when two same-species animals in 'love mode' breed to generate the new baby animal. +func_70880_s,isInLove,2,Returns if the entity is currently in 'love mode'. +func_70891_b,setFleeceColor,2, +func_70892_o,getSheared,2,returns true if a sheeps wool has been sheared +func_70893_e,setSheared,2,make a sheep sheared if set to true +func_70895_a,getRandomFleeceColor,2,This method is called when a sheep spawns in the world to select the color of sheep fleece. +func_70896_n,getFleeceColor,2, +func_70900_e,setSaddled,2,Set or remove the saddle of the pig. +func_70901_n,getSaddled,2,Returns true if the pig is saddled. +func_70902_q,getOwner,2, +func_70903_f,setTamed,2, +func_70904_g,setSitting,2, +func_70905_p,getOwnerName,2, +func_70906_o,isSitting,2, +func_70908_e,playTameEffect,2,"Play the taming effect, will either be hearts or smoke depending on status" +func_70909_n,isTamed,2, +func_70910_a,setOwner,2, +func_70912_b,setTameSkin,2, +func_70913_u,getTameSkin,2, +func_70915_j,getShadingWhileShaking,2,Used when calculating the amount of shading to apply while the wolf is shaking. +func_70916_h,setAngry,2,Sets whether this wolf is angry or not. +func_70917_k,getInterestedAngle,2, +func_70919_bu,isAngry,2,Determines whether this wolf is angry or not. +func_70920_v,getTailRotation,2, +func_70921_u,getWolfShaking,2, +func_70923_f,getShakeAngle,2, +func_70930_a,setRecipes,2, +func_70931_l_,getCustomer,2, +func_70932_a_,setCustomer,2, +func_70933_a,useRecipe,2, +func_70934_b,getRecipes,2, +func_70938_b,setProfession,2, +func_70939_f,setPlaying,2, +func_70940_q,isTrading,2, +func_70941_o,isMating,2, +func_70942_a,generateRandomParticles,2,par1 is the particleName +func_70943_c,getRandomCountForBlacksmithItem,2, +func_70944_b,getRandomCountForItem,2,"default to 1, and villagerStockList contains a min/max amount for each index" +func_70945_p,isPlaying,2, +func_70946_n,getProfession,2, +func_70947_e,setMating,2, +func_70948_a,addMerchantItem,2,each recipie takes a random stack from villagerStockList and offers it for 1 emerald +func_70949_b,addBlacksmithItem,2, +func_70950_c,addDefaultEquipmentAndRecipies,2,"based on the villagers profession add items, equipment, and recipies adds par1 random items to the list of things that the villager wants to buy. (at most 1 of each wanted type is added)" +func_70951_a,getRandomSizedStack,2, +func_70965_a,attackEntityFromPart,2, +func_70967_k,setNewTarget,2,Sets a new target for the flight AI. It can be a random coordinate or a nearby player. +func_70968_i,getBossHealth,2,Returns the health points of the dragon. +func_70969_j,updateDragonEnderCrystal,2,Updates the state of the enderdragon's current endercrystal. +func_70970_a,collideWithEntities,2,Pushes all entities inside the list away from the enderdragon. +func_70971_b,attackEntitiesInList,2,"Attacks all entities inside this list, dealing 5 hearts of damage." +func_70972_a,destroyBlocksInAABB,2,Destroys all blocks that aren't associated with 'The End' inside the given bounding box. +func_70973_b,simplifyAngle,2,Simplifies the value of a number by adding/subtracting 180 to the point that the number is between -180 and 180. +func_70974_a,getMovementOffsets,2,"Returns a double[3] array with movement offsets, used to calculate trailing tail/neck positions. [0] = yaw offset, [1] = y offset, [2] = unused, always 0. Parameters: buffer index offset, partial ticks." +func_70975_a,createEnderPortal,2,Creates the ender portal leading back to the normal world after defeating the enderdragon. +func_70996_bM,shouldHeal,2,Checks if the player's health is not full and not zero. +func_70997_bJ,getBedLocation,2,"Returns the location of the bed the player will respawn at, or null if the player has not slept in a bed." +func_70998_m,interactWith,2, +func_70999_a,wakeUpPlayer,2,Wake up the player if they're sleeping. +func_71000_j,addMovementStat,2,"Adds a value to a movement statistic field - like run, walk, swin or climb." +func_71001_a,onItemPickup,2,"Called whenever an item is picked up from walking over it. Args: pickedUpEntity, stackSize" +func_71002_c,displayGUIEnchantment,2, +func_71004_bE,respawnPlayer,2, +func_71005_bN,getInventoryEnderChest,2,Returns the InventoryEnderChest of this player. +func_71006_a,displayGUIDispenser,2,Displays the dipsenser GUI for the passed in dispenser entity. Args: TileEntityDispenser +func_71007_a,displayGUIChest,2,Displays the GUI for interacting with a chest inventory. Args: chestInventory +func_71008_a,setItemInUse,2,"sets the itemInUse when the use item button is clicked. Args: itemstack, int maxItemUseDuration" +func_71009_b,onCriticalHit,2,Called when the player performs a critical hit on the Entity. Args: entity that was hit critically +func_71010_c,updateItemUse,2,Plays sounds and makes particles for item in use state +func_71011_bu,getItemInUse,2,returns the ItemStack containing the itemInUse +func_71012_a,joinEntityItemWithWorld,2,Joins the passed in entity item with the world. Args: entityItem +func_71014_a,displayGUIEditSign,2,Displays the GUI for editing a sign. Args: tileEntitySign +func_71015_k,addMountedMovementStat,2,"Adds a value to a mounted movement statistic field - by minecart, boat, or pig." +func_71016_p,sendPlayerAbilities,2,Sends the player's abilities to the server (if there is one). +func_71017_a,displayGUIBrewingStand,2,Displays the GUI for interacting with a brewing stand. +func_71018_a,sleepInBedAt,2,Attempts to have the player sleep in a bed at the specified location. +func_71019_a,dropPlayerItemWithRandomChoice,2,"Args: itemstack, flag" +func_71020_j,addExhaustion,2,increases exhaustion level by supplied amount +func_71021_b,dropPlayerItem,2,Args: itemstack - called when player drops an item stack that's not in his inventory (like items still placed in a workbench while the workbench'es GUI gets closed) +func_71022_a,alertWolves,2,"Called when the player attack or gets attacked, it's alert all wolves in the area that are owned by the player to join the attack or defend the player." +func_71023_q,addExperience,2,This method increases the player's current amount of experience. +func_71024_bL,getFoodStats,2,Returns the player's FoodStats object. +func_71025_t,getTranslator,2, +func_71026_bH,isPlayerFullyAsleep,2,Returns whether or not the player is asleep and the screen has fully faded. +func_71027_c,travelToDimension,2,Teleports the entity to another dimension. Params: Dimension number to teleport to +func_71028_bD,destroyCurrentEquippedItem,2,Destroys the currently equipped item from the player's inventory. +func_71029_a,triggerAchievement,2,Will trigger the specified trigger. +func_71030_a,displayGUIMerchant,2, +func_71033_a,setGameType,2,Sets the player's game mode and sends it to them. +func_71034_by,stopUsingItem,2, +func_71035_c,addChatMessage,2,Add a chat message to the player +func_71036_o,onItemUseFinish,2,"Used for when item use count runs out, ie: eating completed" +func_71037_bA,getScore,2, +func_71038_i,swingItem,2,Swings the item the player is holding. +func_71039_bw,isUsingItem,2,"Checks if the entity is currently using an item (e.g., bow, food, sword) by holding down the useItemButton" +func_71040_bB,dropOneItem,2,Called when player presses the drop item key +func_71041_bz,clearItemInUse,2, +func_71042_a,displayGUIFurnace,2,Displays the furnace GUI for the passed in furnace entity. Args: tileEntityFurnace +func_71043_e,canEat,2, +func_71044_o,collideWithPlayer,2, +func_71045_bC,getCurrentEquippedItem,2,Returns the currently being used item by the player. +func_71047_c,onEnchantmentCritical,2, +func_71048_c,displayGUIBook,2,Displays the GUI for interacting with a book. +func_71049_a,clonePlayer,2,Copies the values from the given player into this player if boolean par2 is true. Always clones Ender Chest Inventory. +func_71050_bK,xpBarCap,2,"This method returns the cap amount of experience that the experience bar can hold. With each level, the experience cap on the player's experience bar is raised by 10." +func_71051_bG,getBedOrientationInDegrees,2,Returns the orientation of the bed in degrees. +func_71052_bv,getItemInUseCount,2,Returns the item in use count +func_71053_j,closeScreen,2,sets current screen to null (used on escape buttons of GUIs) +func_71055_a,getCurrentPlayerStrVsBlock,2,Returns how strong the player is against the specified block at this moment +func_71056_a,verifyRespawnCoordinates,2,Ensure that a block enabling respawning exists at the specified coordinates and find an empty space nearby to spawn. +func_71057_bx,getItemInUseDuration,2,gets the duration for how long the current itemInUse has been in use +func_71058_b,displayGUIWorkbench,2,Displays the crafting GUI for a workbench. +func_71059_n,attackTargetEntityWithCurrentItem,2,Attacks for the player the targeted entity with the currently equipped item. The equipped item has hitEntity called on it. Args: targetEntity +func_71060_bI,getSleepTimer,2, +func_71061_d_,resetHeight,2,sets the players height back to normal after doing things like sleeping and dieing +func_71062_b,canHarvestBlock,2,Checks if the player has the ability to harvest a block (checks current inventory item for a tool if necessary) +func_71063_a,setSpawnChunk,2,Defines a spawn coordinate to player spawn. Used by bed after the player sleep on it. +func_71064_a,addStat,2,Adds a value to a statistic field. +func_71065_l,isInBed,2,Checks if the player is currently in a bed +func_71110_a,sendContainerAndContentsToPlayer,2, +func_71111_a,sendSlotContents,2,"Sends the contents of an inventory slot to the client-side Container. This doesn't have to match the actual contents of that slot. Args: Container, slot number, slot contents" +func_71112_a,sendProgressBarUpdate,2,"Sends two ints to the client-side Container. Used for furnace burning time, smelting progress, brewing progress, and enchanting level. Normally the first int identifies which variable to update, and the second contains the new value. Both are truncated to shorts in non-local SMP." +func_71113_k,updateHeldItem,2,updates item held by mouse +func_71114_r,getPlayerIP,2,Gets the player's IP address. Used in /banip. +func_71115_a,requestTexturePackLoad,2,on recieving this message the client (if permission is given) will download the requested textures +func_71116_b,addSelfToInternalCraftingInventory,2, +func_71117_bO,incrementWindowID,2, +func_71118_n,setPlayerHealthUpdated,2,"this function is called when a players inventory is sent to him, lastHealth is updated on any dimension transitions, then reset." +func_71119_a,sendTileEntityToPlayer,2,called from onUpdate for all tileEntity in specific chunks +func_71120_a,sendContainerToPlayer,2, +func_71121_q,getServerForPlayer,2, +func_71122_b,updateFlyingState,2,"likeUpdateFallState, but called from updateFlyingState, rather than moveEntity" +func_71123_m,mountEntityAndWakeUp,2, +func_71124_b,getCurrentItemOrArmor,2,"0 = item, 1-n is armor" +func_71125_a,updateClientInfo,2, +func_71126_v,getChatVisibility,2, +func_71127_g,onUpdateEntity,2, +func_71128_l,closeInventory,2, +func_71150_b,setHealth,2,Updates health locally. +func_71151_f,getFOVMultiplier,2,Gets the player's field of view multiplier. (ex. when flying) +func_71152_a,setXPStats,2,"Sets the current XP, total XP, and level number." +func_71153_f,isBlockTranslucent,2, +func_71165_d,sendChatMessage,2,Sends a chat message from the player. Args: chatMessage +func_71166_b,sendMotionUpdates,2,Send updated motion and position information to the server +func_71167_b,incrementStat,2,Used by NetClientHandler.handleStatistic +func_71187_D,getCommandManager,2, +func_71188_g,setAllowPvp,2, +func_71189_e,setHostname,2, +func_71190_q,updateTimeLightAndEntities,2, +func_71191_d,setBuildLimit,2, +func_71192_d,setUserMessage,2,"Typically ""menu.convertingLevel"", ""menu.loadingLevel"" or others." +func_71193_K,allowSpawnMonsters,2, +func_71194_c,canCreateBonusChest,2, +func_71195_b_,getUserMessage,2, +func_71196_a,getServerConfigurationManager,2,"Gets the current player count, maximum player count, and player entity list." +func_71197_b,startServer,2,Initialises the server and starts it. +func_71198_k,logDebug,2,"If isDebuggingEnabled(), logs the message with a level of INFO." +func_71199_h,isHardcore,2,Defaults to false. +func_71200_ad,serverIsInRunLoop,2, +func_71201_j,logSevere,2,Logs the error message with a level of SEVERE. +func_71202_P,getTexturePack,2, +func_71203_ab,getConfigurationManager,2, +func_71204_b,setDemo,2,Sets whether this is a demo or not. +func_71205_p,setMOTD,2, +func_71206_a,shareToLAN,2,"On dedicated does nothing. On integrated, sets commandsAllowedForAll, gameType and allows external connections." +func_71207_Z,getBuildLimit,2, +func_71208_b,setServerPort,2, +func_71209_f,getFile,2,Returns a File object from the specified string. +func_71210_a,setConfigurationManager,2, +func_71211_k,getServerHostname,2,"""getHostname"" is already taken, but both return the hostname." +func_71212_ac,getNetworkThread,2, +func_71213_z,getAllUsernames,2,Returns an array of the usernames of all the connected players. +func_71214_G,getServerOwner,2,Returns the username of the server owner (for integrated servers) +func_71215_F,getServerPort,2,Gets serverPort. +func_71216_a_,outputPercentRemaining,2,Used to display a percent remaining given text and the percentage. +func_71217_p,tick,2,Main function called by run() every loop. +func_71218_a,worldServerForDimension,2,Gets the worldServer by the given dimension. +func_71219_W,isPVPEnabled,2, +func_71220_V,getCanSpawnNPCs,2, +func_71221_J,getWorldName,2, +func_71222_d,initialWorldChunkLoad,2, +func_71223_ag,enableProfiling,2, +func_71224_l,setServerOwner,2,Sets the username of the owner of this server (in the case of an integrated server) +func_71225_e,canStructuresSpawn,2, +func_71226_c,setDifficultyForAllWorlds,2, +func_71227_R,textureSize,2,"This is checked to be 16 upon receiving the packet, otherwise the packet is ignored." +func_71228_a,finalTick,2,Called on exit from the main run() loop. +func_71229_d,setOnlineMode,2, +func_71230_b,addServerInfoToCrashReport,2,"Adds the server info, including from theWorldServer, to the crash report." +func_71231_X,isFlightAllowed,2, +func_71232_g,getDifficulty,2,"Defaults to ""1"" (Easy) for the dedicated server, defaults to ""2"" (Normal) on the client." +func_71233_x,getCurrentPlayerCount,2,Returns the number of players currently on the server. +func_71234_u,getPort,2,"Never used, but ""getServerPort"" is already taken." +func_71235_a,setGameType,2,Sets the game type for all worlds. +func_71236_h,logWarning,2,Logs the message with a level of WARN. +func_71237_c,convertMapIfNeeded,2, +func_71238_n,getDataDirectory,2, +func_71239_B,isDebuggingEnabled,2,"Returns true if debugging is enabled, false otherwise." +func_71240_o,systemExitNow,2,"Directly calls System.exit(0), instantly killing the program." +func_71241_aa,isServerStopped,2, +func_71242_L,isDemo,2,Gets whether this is a demo or not. +func_71243_i,clearCurrentTask,2,Set current task to null and set its percentage to 0. +func_71244_g,logInfo,2,Logs the message with a level of INFO. +func_71245_h,setAllowFlight,2, +func_71246_n,setWorldName,2, +func_71247_a,loadAllWorlds,2, +func_71248_a,getPossibleCompletions,2,"If par2Str begins with /, then it searches for commands, otherwise it returns players." +func_71249_w,getMinecraftVersion,2,Returns the server's Minecraft version as string. +func_71250_E,getKeyPair,2,Gets KeyPair instanced in MinecraftServer. +func_71251_e,setCanSpawnAnimals,2, +func_71252_i,executeCommand,2, +func_71253_a,setKeyPair,2, +func_71254_M,getActiveAnvilConverter,2, +func_71255_r,getAllowNether,2, +func_71256_s,startServerThread,2, +func_71257_f,setCanSpawnNPCs,2, +func_71258_A,getPlugins,2,"Used by RCon's Query in the form of ""MajorServerMod 1.2.3: MyPlugin 1.3; AnotherPlugin 2.1; AndSoForth 1.0""." +func_71259_af,getTickCounter,2, +func_71260_j,stopServer,2,Saves all necessary data as preparation for stopping the server. +func_71261_m,setFolderName,2, +func_71262_S,isDedicatedServer,2, +func_71263_m,initiateShutdown,2,"Sets the serverRunning variable to false, in order to get the server to shut down." +func_71264_H,isSinglePlayer,2, +func_71265_f,getGameType,2, +func_71266_T,isServerInOnlineMode,2, +func_71267_a,saveAllWorlds,2,par1 indicates if a log message should be output. +func_71268_U,getCanSpawnAnimals,2, +func_71269_o,setTexturePack,2, +func_71270_I,getFolderName,2, +func_71272_O,deleteWorldAndStopServer,2,WARNING : directly calls getActiveAnvilConverter().deleteWorldDirectory(theWorldServer[0].getSaveHandler().getWorldDirectoryName()); +func_71273_Y,getMOTD,2, +func_71274_v,getServerMOTD,2,Returns the server message of the day +func_71275_y,getMaxPlayers,2,Returns the maximum number of players allowed on the server. +func_71276_C,getServer,2,Gets mcServer. +func_71277_t,getHostname,2,Returns the server's hostname. +func_71278_l,isServerRunning,2, +func_71279_ae,getGuiEnabled,2, +func_71326_a,saveProperties,2,Saves all of the server properties to the properties file. +func_71327_a,getIntProperty,2,"Gets an integer property. If it does not exist, set it to the specified value." +func_71328_a,setProperty,2,Saves an Object with the given property name. +func_71329_c,getSettingsFilename,2,Returns the filename where server properties are stored +func_71330_a,getStringProperty,2,"Gets a string property. If it does not exist, set it to the specified value." +func_71331_a,addPendingCommand,2, +func_71332_a,getBooleanProperty,2,"Gets a boolean property. If it does not exist, set it to the specified value." +func_71333_ah,executePendingCommands,2, +func_71334_ai,getDedicatedPlayerList,2, +func_71343_a,getServerListeningThread,2,Gets the IntergratedServerListenThread. +func_71344_c,getPublic,2,Returns true if this integrated server is open to LAN +func_71351_a,setServerData,2,Set the current ServerData instance. +func_71352_k,toggleFullscreen,2,Toggles fullscreen mode. +func_71353_a,loadWorld,2,par2Str is displayed on the loading screen to the user unloads the current world first +func_71354_a,setDimensionAndSpawnPlayer,2, +func_71355_q,isDemo,2,Gets whether this is a demo or not. +func_71356_B,isSingleplayer,2,"Returns true if there is only one player playing, and the current server is the integrated one." +func_71357_I,loadScreen,2,Displays a new screen. +func_71358_L,forceReload,2,Forces a reload of the sound manager and all the resources. Called in game by holding 'F3' and pressing 'S'. +func_71359_d,getSaveLoader,2,Returns the save loader that is currently being used +func_71360_a,installResource,2,Installs a resource. Currently only sounds are download so this method just adds them to the SoundManager. +func_71361_d,checkGLError,2,"Checks for an OpenGL error. If there is one, prints the error ID and error string." +func_71362_z,getServerData,2,Get the current ServerData instance. +func_71363_D,stopIntegratedServer,2, +func_71364_i,setIngameNotInFocus,2,"Resets the player keystate, disables the ingame focus, and ungrabs the mouse cursor." +func_71365_K,screenshotListener,2,checks if keys are down +func_71366_a,displayDebugInfo,2, +func_71367_a,setServer,2, +func_71369_N,getGLMaximumTextureSize,2,Used in the usage snooper. +func_71370_a,resize,2,Called to resize the current screen. +func_71371_a,launchIntegratedServer,2,"Arguments: World foldername, World ingame name, WorldSettings" +func_71372_G,isFullScreen,2,Returns whether we're in full screen or not. +func_71373_a,displayGuiScreen,2,Sets the argument GuiScreen as the main (topmost visible) screen. +func_71374_p,debugInfoEntities,2,A String of how many entities are in the world +func_71375_t,isFancyGraphicsEnabled,2, +func_71376_c,getOs,2, +func_71377_b,displayCrashReport,2,Wrapper around displayCrashReportInternal +func_71378_E,getPlayerUsageSnooper,2,Returns the PlayerUsageSnooper instance. +func_71379_u,isAmbientOcclusionEnabled,2,Returns if ambient occlusion is enabled +func_71380_b,getMinecraftDir,2,gets the working dir (OS specific) for minecraft +func_71381_h,setIngameFocus,2,Will set the focus to ingame if the Minecraft window is the active with focus. Also clears any GUI screen currently displayed +func_71382_s,isGuiEnabled,2, +func_71383_b,updateDebugProfilerName,2,Update debugProfilerName in response to number keys in debug screen +func_71384_a,startGame,2,"Starts the game: initializes the canvas, the title, the settings, etcetera." +func_71385_j,displayInGameMenu,2,Displays the ingame menu +func_71386_F,getSystemTime,2,Gets the system time in milliseconds. +func_71387_A,isIntegratedServerRunning,2, +func_71388_o,getWorldProviderName,2,Gets the name of the world's current chunk provider +func_71389_H,startTimerHackThread,2, +func_71390_a,setDemo,2,Sets whether this is a demo or not. +func_71391_r,getNetHandler,2,Returns the NetClientHandler. +func_71392_a,scaledTessellator,2,Loads Tessellator with a scaled resolution +func_71393_m,debugInfoRenders,2,A String of renderGlobal.getDebugInfoRenders +func_71394_a,getAppDir,2,gets the working dir (OS specific) for the specific application (which is always minecraft) +func_71395_y,scheduleTexturePackRefresh,2,"Sets refreshTexturePacksScheduled to true, triggering a texture pack refresh next time the while(running) loop is run" +func_71396_d,addGraphicsAndWorldToCrashReport,2,"adds core server Info (GL version , Texture pack, isModded, type), and the worldInfo to the crash report" +func_71397_M,clickMiddleMouseButton,2,Called when the middle mouse button gets clicked +func_71398_f,freeMemory,2, +func_71399_a,sendClickBlockToController,2, +func_71400_g,shutdown,2,Called when the window is closing. Sets 'running' to false which allows the game loop to exit cleanly. +func_71401_C,getIntegratedServer,2,Returns the currently running integrated server +func_71402_c,clickMouse,2,Called whenever the mouse is clicked. Button clicked is 0 for left clicking and 1 for right clicking. Args: buttonClicked +func_71403_a,loadWorld,2,unloads the current world first +func_71404_a,crashed,2, +func_71405_e,shutdownMinecraftApplet,2,"Shuts down the minecraft applet by stopping the resource downloads, and clearing up GL stuff; called when the application (or web page) is exited." +func_71406_c,displayCrashReportInternal,2, +func_71407_l,runTick,2,Runs the current tick. +func_71408_n,getEntityDebug,2,Gets the information in the F3 menu about how many entities are infront/around you +func_71409_c,handleClientCommand,2,Returns true if the message is a client command and should not be sent to the server. However there are no such commands at this point in time. +func_71410_x,getMinecraft,2,Return the singleton Minecraft instance for the game +func_71411_J,runGameLoop,2,Called repeatedly from run() +func_71479_a,startMainThread,2, +func_71480_b,shutdown,2,Called when the applet window is closed. +func_71485_a,getMemoryInfoAsString,2,"Returns the memory information as a String. Includes the Free Memory in bytes and MB, Total Memory in bytes and MB, and Max Memory in Bytes and MB." +func_71487_a,getJVMFlagsAsString,2,Returns the number of JVM Flags along with the passed JVM Flags. +func_71489_a,getJavaInfoAsString,2,Returns the Java VM Information as a String. Includes the Version and Vender. +func_71491_a,getJavaVMInfoAsString,2,"Retuns the Java VM Information as a String. Includes the VM Name, VM Info and VM Vendor." +func_71493_a,minecraftVersion,2,The current version of Minecraft +func_71495_a,getOsAsString,2, +func_71497_f,getFile,2,Gets the file this crash report is saved into. +func_71498_d,getCauseStackTraceOrString,2,"Gets the stack trace of the Throwable that caused this crash report, or if that fails, the cause .toString()." +func_71499_a,addCrashSectionThrowable,2,Adds a Crashreport section with the given name with the given Throwable +func_71500_a,addCrashSectionCallable,2,Adds a Crashreport section with the given name with the value set to the result of the given Callable; +func_71501_a,getDescription,2,Returns the description of the Crash Report. +func_71502_e,getCompleteReport,2,"Gets the complete report with headers, stack trace, and different sections as a string." +func_71503_h,getWittyComment,2,Gets a random witty comment for inclusion in this CrashReport +func_71504_g,populateEnvironment,2,Populates this crash report with initial information about the running server and operating system / java environment +func_71505_b,getCrashCause,2,Returns the Throwable object that is the cause for the crash and Crash Report. +func_71506_a,getSectionsInStringBuilder,2,Gets the various sections of the crash report into the given StringBuilder +func_71507_a,addCrashSection,2,Adds a Crashreport section with the given name with the given value (convered .toString()) +func_71508_a,saveToFile,2,Saves the complete crash report to the given File. +func_71514_a,getCommandAliases,2, +func_71515_b,processCommand,2, +func_71516_a,addTabCompletionOptions,2,Adds the strings available in this command to the given list of tab completion options. +func_71517_b,getCommandName,2, +func_71518_a,getCommandUsage,2, +func_71519_b,canCommandSenderUseCommand,2,Returns true if the given command sender is allowed to use this command. +func_71521_c,getCommandSenderAsPlayer,2,Returns the given ICommandSender as a EntityPlayer or throw an exception. +func_71522_a,notifyAdmins,2, +func_71523_a,doesStringStartWith,2,Returns true if the given substring is exactly equal to the start of the given string (case insensitive). +func_71524_a,notifyAdmins,2, +func_71525_a,compareTo,2,Compares the name of this command to the name of the given command. +func_71526_a,parseInt,2,Parses an int from the given string. +func_71527_a,joinNiceString,2,"Joins the given string array into a ""x, y, and z"" seperated string." +func_71528_a,parseIntWithMin,2,Parses an int from the given sring with a specified minimum. +func_71529_a,setAdminCommander,2,Sets the static IAdminCommander. +func_71530_a,getListOfStringsMatchingLastWord,2,Returns a List of strings (chosen from the given strings) which the last word in the given string array is a beginning-match for. (Tab completion). +func_71531_a,getListOfStringsFromIterableMatchingLastWord,2,Returns a List of strings (chosen from the given string iterable) which the last word in the given string array is a beginning-match for. (Tab completion). +func_71532_a,parseIntBounded,2,Parses an int from the given string within a specified bound. +func_71534_d,getSortedPossibleCommands,2,Returns a sorted list of all possible commands for the given ICommandSender. +func_71535_c,getCommands,2, +func_71536_c,getPlayers,2, +func_71538_c,getListOfPlayerUsernames,2,Returns String array containing all player usernames in the server. +func_71539_b,getGameModeFromCommand,2,Gets the Game Mode specified in the command. +func_71541_a,setGameType,2, +func_71542_c,getAllUsernames,2, +func_71544_a,banIP,2,Actually does the banning work. +func_71546_a,getProfileDump,2, +func_71547_b,getProfilerResults,2, +func_71548_a,saveProfilerResults,2, +func_71549_c,getWittyComment,2,"Returns a random ""witty"" comment." +func_71552_a,setTime,2,Set the time in the server object. +func_71553_b,addTime,2,Adds (or removes) time in the server object. +func_71554_c,toggleDownfall,2,Toggle rain and enable thundering. +func_71555_a,getCommands,2,"returns a map of string to commads. All commands are returned, not just ones which someone has permission to use." +func_71556_a,executeCommand,2, +func_71557_a,getPossibleCommands,2,returns all commands that the commandSender can use +func_71558_b,getPossibleCommands,2,"Performs a ""begins with"" string match on each token in par2. Only returns commands that par1 can use." +func_71559_a,dropFirstString,2,creates a new array and sets elements 0..n-2 to be 0..n-1 of the input (n elements) +func_71560_a,registerCommand,2,adds the command and any aliases it has to the internal map of available commands +func_71563_a,notifyAdmins,2,"Sends a message to the admins of the server from a given CommandSender with the given resource string and given extra srings. If the int par2 is even or zero, the original sender is also notified." +func_71564_a,getAllowedCharacters,2,"Load the font.txt resource file, that is on UTF-8 format. This file contains the characters that minecraft can render Strings on screen." +func_71565_a,filerAllowedCharacters,2,Filter string by only keeping those characters for which isAllowedCharacter() returns true. +func_71566_a,isAllowedCharacter,2, +func_71569_e,getDistanceSquared,2,Returns the squared distance between this coordinates and the coordinates given as argument. +func_71570_a,compareChunkCoordinate,2,Compare the coordinate with another coordinate +func_71571_b,set,2, +func_71575_a,getCrashReport,2,Gets the CrashReport wrapped by this exception. +func_71606_a,toASN1Primitive,2, +func_71607_a,asn1Equals,2, +func_71608_a,isValidIdentifier,2, +func_71609_b,getId,2, +func_71612_a,branch,2, +func_71742_a,getType,2, +func_71744_a,stopListening,2, +func_71745_a,addPlayer,2,adds this connection to the list of currently connected players +func_71746_d,getServer,2, +func_71747_b,networkTick,2,processes packets and pending connections +func_71752_f,isGamePaused,2, +func_71753_e,getIntegratedServer,2,Gets MinecraftServer instance. +func_71762_c,getDedicatedServer,2, +func_71764_a,addPendingConnection,2, +func_71765_d,getMyPort,2, +func_71766_a,processPendingConnections,2, +func_71767_c,getInetAddress,2, +func_71779_a,getIV,2, +func_71780_b,getParameters,2, +func_71783_a,getKey,2, +func_71789_b,getOutputSize,2, +func_71790_a,doFinal,2, +func_71791_a,processByte,2, +func_71792_a,getBlockSize,2, +func_71793_a,getUpdateOutputSize,2, +func_71794_b,reset,2, +func_71802_a,getAlgorithmName,2,Return the name of the algorithm the cipher implements. +func_71803_c,reset,2, +func_71804_b,getBlockSize,2,Return the block size for this cipher (in bytes). +func_71805_a,init,2, +func_71806_a,processBlock,2, +func_71807_b,encryptBlock,2, +func_71808_c,decryptBlock,2, +func_71815_c,subWord,2, +func_71816_a,unpackBlock,2, +func_71817_a,FFmulX,2, +func_71818_a,encryptBlock,2, +func_71819_a,shift,2, +func_71820_b,inv_mcol,2, +func_71821_b,packBlock,2, +func_71822_b,decryptBlock,2, +func_71823_a,generateWorkingKey,2, +func_71842_b,getStrength,2,Return the bit strength for keys produced by this generator. +func_71843_a,getRandom,2,Return the random source associated with this generator. +func_71846_a,onBlockHarvested,2,Called when the block is attempted to be harvested +func_71847_b,updateTick,2,Ticks the block if it's been scheduled +func_71848_c,setHardness,2,Sets how many hits it takes to break a block. +func_71849_a,setCreativeTab,2,Sets the CreativeTab to display this block on. +func_71850_a_,canPlaceBlockOnSide,2,checks to see if you can place this block can be placed on that side of a block: BlockLever overrides +func_71851_a,getBlockTextureFromSide,2,Returns the block texture based on the side being looked at. Args: side +func_71852_a,breakBlock,2,"ejects contained items into the world, and notifies neighbours of an update, as appropriate" +func_71853_i,canProvidePower,2,Can this block provide power. Only wire currently seems to have this change based on its state. +func_71854_d,canBlockStay,2,Can this block stay at this position. Similar to canPlaceBlockAt except gets checked often with plants. +func_71855_c,isProvidingStrongPower,2,"Returns true if the block is emitting direct/strong redstone power on the specified side. Args: World, X, Y, Z, side. Note that the side is reversed - eg it is 1 (up) when checking the bottom of the block." +func_71856_s_,getRenderBlockPass,2,Returns which pass should this block be rendered on. 0 for solids and 1 for alpha +func_71857_b,getRenderType,2,The type of render function that is called for this block +func_71858_a,getIcon,2,"From the specified side and block metadata retrieves the blocks texture. Args: side, metadata" +func_71859_p_,tickRate,2,How many world ticks before ticking +func_71860_a,onBlockPlacedBy,2,Called when the block is placed in the world. +func_71861_g,onBlockAdded,2,"Called whenever the block is added into the world. Args: world, x, y, z" +func_71862_a,randomDisplayTick,2,A randomly called display update to be able to add particles or other items for display +func_71863_a,onNeighborBlockChange,2,"Lets the block know when one of its neighbor changes. Doesn't know which neighbor changed (coordinates passed are their own) Args: x, y, z, neighbor blockID" +func_71864_b,setUnlocalizedName,2, +func_71865_a,isProvidingWeakPower,2,"Returns true if the block is emitting indirect/weak redstone power on the specified side. If isBlockNormalCube returns true, standard redstone propagation rules will apply instead and this will not be called. Args: World, X, Y, Z, side. Note that the side is reversed - eg it is 1 (up) when checking the bottom of the block." +func_71866_a,onFallenUpon,2,Block's chance to react to an entity falling on it. +func_71867_k,onBlockDestroyedByExplosion,2,Called upon the block being destroyed by an explosion +func_71868_h,setLightOpacity,2,Sets how much light is blocked going through this block. Returns the object for convenience in constructing. +func_71869_a,onEntityCollidedWithBlock,2,"Triggered whenever an entity collides with this block (enters into the block). Args: world, x, y, z, entity" +func_71870_f,getBlockBrightness,2,"How bright to render this block based on the light its receiving. Args: iBlockAccess, x, y, z" +func_71871_a,addCollisionBoxesToList,2,"Adds all intersecting collision boxes to a list. (Be sure to only add boxes to the list if they intersect the mask.) Parameters: World, X, Y, Z, mask, list, colliding entity" +func_71872_e,getCollisionBoundingBoxFromPool,2,Returns a bounding box from the pool of bounding boxes (this means this box can change after the pool has been cleared to be reused) +func_71873_h,getDamageValue,2,Get the block's damage value (for use with pick block). +func_71874_e,getMixedBrightnessForBlock,2,"Goes straight to getLightBrightnessForSkyBlocks for Blocks, does some fancy computing for Fluids" +func_71875_q,setBlockUnbreakable,2,"This method will make the hardness of the block equals to -1, and the block is indestructible." +func_71876_u,getEnableStats,2,Return the state of blocks statistics flags - if the block is counted for mined and placed. +func_71877_c,shouldSideBeRendered,2,"Returns true if the given side of this block type should be rendered, if the adjacent block is at the given coordinates. Args: blockAccess, x, y, z, side" +func_71878_a,collisionRayTrace,2,"Ray traces through the blocks collision from start vector to end vector returning a ray trace hit. Args: world, x, y, z, startVec, endVec" +func_71879_a,getSubBlocks,2,"returns a list of blocks with the same ID, but different meta (eg: wood returns 4 blocks)" +func_71880_c_,createStackedBlock,2,Returns an item stack containing a single instance of the current block type. 'i' is the block's subtype/damage and is ignored for blocks which do not support subtypes. Blocks which cannot be harvested should return null. +func_71881_r,getTickRandomly,2,Returns whether or not this block is of a type that needs random ticking. Called for ref-counting purposes by ExtendedBlockStorage in order to broadly cull a chunk from the random chunk update list for efficiency's sake. +func_71882_w,getCreativeTabToDisplayOn,2,Returns the CreativeTab to display the given block on. +func_71883_b,onBlockEventReceived,2,"Called when the block receives a BlockEvent - see World.addBlockEvent. By default, passes it on to the tile entity at this location. Args: world, x, y, z, blockID, EventID, event parameter" +func_71884_a,setStepSound,2,Sets the footstep sound for the block. Returns the object for convenience in constructing. +func_71885_a,idDropped,2,Returns the ID of the items to drop on destruction. +func_71886_c,renderAsNormalBlock,2,"If this block doesn't render as an ordinary block it will return False (examples: signs, buttons, stairs, etc)" +func_71887_s,hasTileEntity,2, +func_71888_h,getAmbientOcclusionLightValue,2,Returns the default ambient occlusion value based on block opacity +func_71889_f_,getRenderColor,2,Returns the color this block should be rendered. Used by leaves. +func_71890_c,isVecInsideXYBounds,2,Checks if a vector is within the X and Y bounds of the block. +func_71891_b,onEntityWalking,2,"Called whenever an entity is walking on top of this block. Args: world, x, y, z, entity" +func_71892_f,fillWithRain,2,currently only used by BlockCauldron to incrament meta-data during rain +func_71893_a,harvestBlock,2,"Called when the player destroys a block with an item that can harvest it. (i, j, k) are the coordinates of the block and l is the block's subtype/damage." +func_71894_b,setResistance,2,Sets the the blocks resistance to explosions. Returns the object for convenience in constructing. +func_71895_b,getBlockTexture,2,"Retrieves the block texture to use based on the display side. Args: iBlockAccess, x, y, z, side" +func_71896_v,disableStats,2,"Disable statistics for the block, the block will no count for mined or placed." +func_71897_c,dropBlockAsItem,2,Drops the specified block items +func_71898_d,onBlockDestroyedByPlayer,2,"Called right before the block is destroyed by a player. Args: world, x, y, z, metaData" +func_71899_b,damageDropped,2,Determines the damage on the item the block drops. Used in cloth and wood. +func_71900_a,setLightValue,2,Sets the amount of light emitted by a block from 0.0f to 1.0f (converts internally to 0-15). Returns the object for convenience in constructing. +func_71901_a,velocityToAddToEntity,2,"Can add to the passed in vector for a movement vector to be applied to the entity. Args: x, y, z, entity, vec3d" +func_71902_a,setBlockBoundsBasedOnState,2,"Updates the blocks bounds based on its current state. Args: world, x, y, z" +func_71903_a,onBlockActivated,2,Called upon block activation (right click on the block.) +func_71904_a,getExplosionResistance,2,Returns how much this block can resist explosions from the passed in entity. +func_71905_a,setBlockBounds,2,"Sets the bounds of the block. minX, minY, minZ, maxX, maxY, maxZ" +func_71906_q_,canSilkHarvest,2,"Return true if a player with Silk Touch can harvest this block directly, and not its normal drops." +func_71907_b,setTickRandomly,2,Sets whether this block type will receive random update ticks +func_71908_a,getPlayerRelativeBlockHardness,2,"Gets the hardness of block at the given coordinates in the given world, relative to the ability of the given EntityPlayer." +func_71910_a,quantityDroppedWithBonus,2,Returns the usual quantity dropped by the block plus a bonus of 1 to 'i' (inclusive). +func_71911_a_,getSelectedBoundingBoxFromPool,2,Returns the bounding box of the wired rectangular prism to render. +func_71913_a,canCollideCheck,2,"Returns whether this block is collideable based on the arguments passed in Args: blockMetaData, unknownFlag" +func_71914_a,dropBlockAsItemWithChance,2,Drops the block items with a specified chance of dropping the specified items +func_71915_e,getMobilityFlag,2,"Returns the mobility information of the block, 0 = free, 1 = can't push but can move over, 2 = total immobility and stop pistons" +func_71916_a,isVecInsideYZBounds,2,Checks if a vector is within the Y and Z bounds of the block. +func_71917_a,getUnlocalizedName,2,Returns the unlocalized name of this block. +func_71918_c,getBlocksMovement,2, +func_71919_f,setBlockBoundsForItemRender,2,Sets the block's bounds for rendering it as an item +func_71920_b,colorMultiplier,2,Returns a integer with hex for 0xrrggbb with this color multiplied against the blocks color. Note only called when first determining what to render. +func_71921_a,onBlockClicked,2,"Called when the block is clicked by a player. Args: x, y, z, entityPlayer" +func_71922_a,idPicked,2,"only called by clickMiddleMouseButton , and passed to inventory.setCurrentItem (along with isCreative)" +func_71923_g,dropXpOnBlockBreak,2,"called by spawner, ore, redstoneOre blocks" +func_71924_d,isBlockSolid,2,"Returns Returns true if the given side of this block type should be rendered (if it's solid or not), if the adjacent block is at the given coordinates. Args: blockAccess, x, y, z, side" +func_71925_a,quantityDropped,2,Returns the quantity of items to drop on block destruction. +func_71926_d,isOpaqueCube,2,"Is this block (a) opaque and (b) a full 1m cube? This determines whether or not to render the shared face of two adjacent blocks and also whether the player can attach torches, redstone wire, etc to this block." +func_71927_h,onSetBlockIDWithMetaData,2,Called when this block is set (with meta data). +func_71928_r_,initializeBlock,2,This method is called on a block after all other blocks gets already created. You can use it to reference and configure something on the block that needs the others ones. +func_71929_a,dropBlockAsItem_do,2,Spawns EntityItem in the world for the given ItemStack if the world is not remote. +func_71930_b,canPlaceBlockAt,2,"Checks to see if its valid to put this block at the specified coordinates. Args: world, x, y, z" +func_71931_t,getLocalizedName,2,Gets the localized name of this block. Used for the statistics page. +func_71932_i,isNormalCube,2, +func_71933_m,getBlockColor,2, +func_71934_m,getBlockHardness,2,"Returns the block hardness at a location. Args: world, x, y, z" +func_71935_l,isCollidable,2,"Returns if this block is collidable (only used by Fire). Args: x, y, z" +func_71936_b,isVecInsideXZBounds,2,Checks if a vector is within the X and Z bounds of the block. +func_72110_l,updatePistonState,2,handles attempts to extend or retract the piston. +func_72111_a,canPushBlock,2,returns true if the piston can push the specified block +func_72112_i,canExtend,2,checks to see if this piston could push the blocks in front of it. +func_72113_e,isIndirectlyPowered,2,checks the block to that side to see if it is indirectly powered. +func_72114_f,isExtended,2,Determine if the metadata is related to something powered. +func_72115_j,tryExtend,2,attempts to extend the piston. returns false if impossible. +func_72116_b,determineOrientation,2,gets the way this piston should face for that entity that placed it. +func_72117_e,getOrientation,2,returns an int which describes the direction the piston faces +func_72118_n,getPistonExtensionTexture,2,Return the either 106 or 107 as the texture index depending on the isSticky flag. This will actually never get called by TileEntityRendererPiston.renderPiston() because TileEntityPiston.func_70338_f() will always return false. +func_72120_n,clearHeadTexture,2, +func_72121_f,getDirectionMeta,2, +func_72122_e,setHeadTexture,2, +func_72124_n,canSnowStay,2,Checks if this snow block can stay at this location. +func_72125_l,canPlaceTorchOn,2,Gets if we can place a torch on a block. +func_72126_n,dropTorchIfCantStay,2,"Tests if the block can remain at its current location and will drop as an item if it is unable to stay. Returns True if it can stay and False if it drops. Args: world, x, y, z" +func_72127_a,checkForBurnout,2, +func_72128_l,isIndirectlyPowered,2,Returns true or false based on whether the block the torch is attached to is providing indirect power. +func_72132_l,removeLeaves,2, +func_72133_a,setGraphicsLevel,2,"Pass true to draw this block using fancy graphics, or false for fast graphics." +func_72137_g,isTrapdoorOpen,2, +func_72138_a,onPoweredBlockChange,2, +func_72139_e,setBlockBoundsForBlockRender,2, +func_72140_j,isValidSupportBlock,2,Checks if the block ID is a valid support block for the trap door to connect with. If it is not the trapdoor is dropped into the world. +func_72141_e,limitToValidMetadata,2,returns a number between 0 and 3 +func_72145_a,playSoundEffect,2,only of the conditions are right +func_72146_e,notifyNeighborOfChange,2, +func_72147_l,updateTripWireState,2, +func_72150_l,canVineStay,2,Returns if the vine can stay in the world. It also changes the metadata according to neighboring blocks. +func_72151_e,canBePlacedOn,2,returns true if a vine can be placed on that block (checks for render as normal block and if it is solid) +func_72153_f,getMetadataForBlockType,2,Returns the metadata to use when a Silverfish hides in the block. Sets the block to BlockSilverfish with this metadata. It changes the displayed texture client side to look like a normal block. +func_72154_e,getPosingIdByMetadata,2,Gets the blockID of the block this block is pretending to be according to this block's metadata. +func_72161_e,canThisPaneConnectToThisBlockID,2,Gets passed in the blockID of the block adjacent and supposed to return true if its allowed to connect to the type of blockID passed in. Args: blockID +func_72162_n,getSideTextureIndex,2,Returns the texture index of the thin side of the pane. +func_72165_e,isEnderEyeInserted,2,checks if an ender eye has been inserted into the frame block. parameters: metadata +func_72167_k_,checkBlockCoordValid,2,"Checks if current block pos is valid, if not, breaks the block as dropable item. Used for reed and cactus." +func_72168_l,updateAndPropagateCurrentStrength,2,Sets the strength of the wire current (0-15) for this block based on neighboring blocks and propagates to neighboring redstone wires +func_72169_f,isPoweredOrRepeater,2,"Returns true if the block coordinate passed can provide power, or is a redstone wire, or if its a repeater that is powered." +func_72170_e,getMaxCurrentStrength,2,"Returns the current strength at the specified block if it is greater than the passed value, or the passed value otherwise. Signature: (world, x, y, z, strength)" +func_72171_a,calculateCurrentChanges,2, +func_72172_n,notifyWireNeighborsOfNeighborChange,2,"Calls World.notifyBlocksOfNeighborChange() for all neighboring blocks, but only if the given block is a redstone wire." +func_72173_e,isPowerProviderOrWire,2,"Returns true if redstone wire can connect to the specified block. Params: World, X, Y, Z, side (not a normal notch-side, this can be 0, 1, 2, 3 or -1)" +func_72176_l,glow,2,The redstone ore glows. +func_72177_n,sparkle,2,The redstone ore sparkles. +func_72180_d_,isRailBlockAt,2,"Returns true if the block at the coordinates of world passed is a valid rail block (current is rail, powered or detector)." +func_72181_a,refreshTrackShape,2,Completely recalculates the track shape based on neighboring tracks +func_72183_n,isPowered,2,Returns true if the block is power related rail. +func_72184_d,isRailBlock,2,"Return true if the parameter is a blockID for a valid rail block (current is rail, powered or detector)." +func_72187_e,setStateIfMinecartInteractsWithRail,2,"Update the detector rail power state if a minecart enter, stays or leave the block." +func_72190_l,tryToFall,2,If there is space to fall below will start this block falling +func_72191_e_,canFallBelow,2,Checks to see if the sand can fall into the block below it +func_72193_l,setStateIfMobInteractsWithPlate,2,"Checks if there are mobs on the plate. If a mob is on the plate and it is off, it turns it on, and vice versa." +func_72195_l,checkIfAttachedToBlock,2,"Checks if the block is attached to another block. If it is not, it returns false and drops the block as an item. If it is it returns true." +func_72196_d,invertMetadata,2,"only used in ComponentScatteredFeatureJunglePyramid.addComponentParts""" +func_72198_f_,getFlowDecay,2,"Returns the amount of fluid decay at the coordinates, or -1 if the block at the coordinates is not the same material as the fluid." +func_72199_d,getFluidHeightPercent,2,"Returns the percentage of the fluid block that is air, based on the given flow decay of the fluid." +func_72200_l,checkForHarden,2,"Forces lava to check to see if it is colliding with water, and then decide what it should harden to." +func_72201_j,triggerLavaMixEffects,2,Creates fizzing sound and smoke. Used when lava flows over block or mixes with water. +func_72202_i,getFlowVector,2,Returns a vector indicating the direction and intensity of fluid flow. +func_72203_d,getEffectiveFlowDecay,2,Returns the flow decay but converts values indicating falling liquid (values >=8) to their effective source block value of zero. +func_72204_a,getFlowDirection,2,the sin and cos of this number determine the surface gradient of the flowing block. +func_72205_l,updateFlow,2,Updates the flow for the BlockFlowing object. +func_72206_n,getOptimalFlowDirections,2,Returns a boolean array indicating which flow directions are optimal based on each direction's calculated flow cost. Each array index corresponds to one of the four cardinal directions. A value of true indicates the direction is optimal. +func_72207_p,liquidCanDisplaceBlock,2,Returns true if the block at the coordinates can be displaced by the liquid. +func_72208_o,blockBlocksFlow,2,Returns true if block at coords blocks fluids +func_72209_d,calculateFlowCost,2,"calculateFlowCost(World world, int x, int y, int z, int accumulatedCost, int previousDirectionOfFlow) - Used to determine the path of least resistance, this method returns the lowest possible flow cost for the direction of flow indicated. Each necessary horizontal flow adds to the flow cost." +func_72210_i,flowIntoBlock,2,"flowIntoBlock(World world, int x, int y, int z, int newFlowDecay) - Flows into the block at the coordinates and changes the block type to the liquid." +func_72211_e,getSmallestFlowDecay,2,"getSmallestFlowDecay(World world, intx, int y, int z, int currentSmallestFlowDecay) - Looks up the flow decay at the coordinates given and returns the smaller of this value or the provided currentSmallestFlowDecay. If one value is valid and the other isn't, the valid value will be returned. Valid values are >= 0. Flow decay is the amount that a liquid has dissipated. 0 indicates a source block." +func_72215_l,setNotStationary,2,Changes the block ID to that of an updating fluid. +func_72216_n,isFlammable,2,Checks to see if the block is flammable. +func_72217_d,getDirection,2,Returns the orentation value from the specified metadata +func_72220_e,getInputStrength,2,"Returns the signal strength at one input of the block. Args: world, X, Y, Z, side" +func_72224_c,isFenceGateOpen,2,Returns if the fence gate is open according to its metadata. +func_72225_b_,isBedOccupied,2,Return whether or not the bed is occupied. +func_72226_b,getNearestEmptyChunkCoordinates,2,Gets the nearest empty chunk coordinates for the player to wake up from a bed into. +func_72227_n,setBounds,2,Set the bounds of the bed block. +func_72228_a,setBedOccupied,2,Sets whether or not the bed is occupied. +func_72229_a_,isBlockHeadOfBed,2,Returns whether or not this bed block is the head of the bed. +func_72231_a,onPoweredBlockChange,2,A function to open a door. +func_72232_e,setDoorRotation,2, +func_72233_a_,isDoorOpen,2, +func_72234_b_,getFullMetadata,2,Returns the full metadata value created by combining the metadata of both blocks the door takes up. +func_72235_d,getDoorOrientation,2,"Returns 0, 1, 2 or 3 depending on where the hinge is." +func_72236_l,fallIfPossible,2,"Checks if the dragon egg can fall down, and if so, makes it fall." +func_72237_n,teleportNearby,2,Teleports the dragon egg somewhere else in a 31x19x31 area centered on the egg. +func_72238_e_,getBlockFromDye,2,Takes a dye damage value and returns the block damage value to match +func_72239_d,getDyeFromBlock,2,Takes a block damage value and returns the dye damage value to match +func_72240_d,getFullSlabName,2,Returns the slab block name with step type. +func_72241_e,isBlockSingleSlab,2,"Takes a block ID, returns true if it's the same as the ID for a stone or wooden single slab." +func_72246_i_,tryToCreatePortal,2,"Checks to see if this location is valid to create a portal and will return True if it does. Args: world, x, y, z" +func_72247_n,isWaterNearby,2,"returns true if there's water nearby (x-4 to x+4, y to y+1, k-4 to k+4)" +func_72248_l,isCropsNearby,2,"returns true if there is at least one cropblock nearby (x-1 to x+1, y+1, z-1 to z+1)" +func_72249_c,isIdAFence,2, +func_72250_d,canConnectFenceTo,2,Returns true if the specified block can be connected by a fence +func_72251_l,canNeighborBurn,2,Returns true if at least one block next to this one can burn. +func_72252_e,getChanceToEncourageFire,2,"Retrieves a specified block's chance to encourage their neighbors to burn and if the number is greater than the current number passed in it will return its number instead of the passed in one. Args: world, x, y, z, curChanceToEncourageFire" +func_72253_a,setBurnRate,2,"Sets the burn rate for a block. The larger abilityToCatchFire the more easily it will catch. The larger chanceToEncourageFire the faster it will burn and spread to other blocks. Args: blockID, chanceToEncourageFire, abilityToCatchFire" +func_72254_n,getChanceOfNeighborsEncouragingFire,2,Gets the highest chance of a neighbor block encouraging this block to catch fire +func_72255_a,tryToCatchBlockOnFire,2, +func_72256_d,canBlockCatchFire,2,"Checks the specified block coordinate to see if it can catch fire. Args: blockAccess, x, y, z" +func_72259_b,eatCakeSlice,2,Heals the player and removes a slice from the cake. +func_72260_l,getOrientation,2,Get side which this button is facing. +func_72261_n,redundantCanPlaceBlockAt,2,"This method is redundant, check it out..." +func_72262_c,checkFlowerChange,2, +func_72263_d_,canThisPlantGrowOnThisBlockID,2,Gets passed in the blockID of the block below and supposed to return true if its allowed to grow on the type of blockID passed in. Args: blockID +func_72264_l,fertilizeStem,2, +func_72265_d,getState,2,"Returns the current state of the stem. Returns -1 if the stem is not fully grown, or a value between 0 and 3 based on the direction the stem is facing." +func_72266_n,getGrowthModifier,2, +func_72268_e,isSameSapling,2,Determines if the same sapling is present at the given location. +func_72269_c,growTree,2,Attempts to grow a sapling into a tree +func_72271_c,fertilizeMushroom,2,Fertilize the mushroom. +func_72272_c_,fertilize,2,Apply bonemeal to the crops. +func_72273_l,getGrowthRate,2,"Gets the growth rate for the crop. Setup to encourage rows by halving growth rate if there is diagonals, crops on different sides that aren't opposing, and by adding growth for every crop next to this one (and for crop below this one). Args: x, y, z" +func_72274_a,createNewTileEntity,2,Returns a new instance of a block's tile entity class. Called on placing the block. +func_72276_j_,ejectRecord,2,Ejects the current record inside of the jukebox. +func_72280_l,setDispenserDefaultDirection,2,sets Dispenser block direction so that the front faces an non-opaque block; chooses west to be direction if all surrounding blocks are opaque. +func_72285_l,setDefaultDirection,2,set a blocks direction +func_72286_a,updateFurnaceBlockState,2,Update which block ID the furnace is using depending on whether or not it is burning +func_72290_b_,unifyAdjacentChests,2,Turns the adjacent chests to a double chest. +func_72291_l,isThereANeighborChest,2,"Checks the neighbor blocks to see if there is a chest there. Args: world, x, y, z" +func_72292_n,isOcelotBlockingChest,2,Looks for a sitting ocelot within certain bounds. Such an ocelot is considered to be blocking access to the chest. +func_72295_d,getTileEntityAtLocation,2,gets the piston tile entity at the specified location +func_72296_b,getAxisAlignedBB,2, +func_72297_a,getTileEntity,2,gets a new TileEntityPiston created with the arguments provided. +func_72298_a,cleanPool,2,"Marks the pool as ""empty"", starting over when adding new entries. If this is called maxNumCleans times, the list size is reduced" +func_72299_a,getAABB,2,"Creates a new AABB, or reuses one that's no longer in use. Parameters: minX, minY, minZ, maxX, maxY, maxZ. AABBs returned from this function should only be used for one frame or tick, as after that they will be reused." +func_72300_b,clearPool,2,Clears the AABBPool +func_72314_b,expand,2,"Returns a bounding box expanded by the specified vector (if negative numbers are given it will shrink). Args: x, y, z" +func_72315_c,isVecInXZ,2,Checks if the specified vector is within the XZ dimensions of the bounding box. Args: Vec3D +func_72316_a,calculateXOffset,2,"if instance and the argument bounding boxes overlap in the Y and Z dimensions, calculate the offset between them in the X dimension. return var2 if the bounding boxes do not overlap or if var2 is closer to 0 then the calculated offset. Otherwise return the calculated offset." +func_72317_d,offset,2,"Offsets the current bounding box by the specified coordinates. Args: x, y, z" +func_72318_a,isVecInside,2,Returns if the supplied Vec3D is completely inside the bounding box +func_72319_d,isVecInXY,2,Checks if the specified vector is within the XY dimensions of the bounding box. Args: Vec3D +func_72320_b,getAverageEdgeLength,2,Returns the average length of the edges of the bounding box. +func_72321_a,addCoord,2,"Adds the coordinates to the bounding box extending it if the point lies outside the current ranges. Args: x, y, z" +func_72322_c,calculateZOffset,2,"if instance and the argument bounding boxes overlap in the Y and X dimensions, calculate the offset between them in the Z dimension. return var2 if the bounding boxes do not overlap or if var2 is closer to 0 then the calculated offset. Otherwise return the calculated offset." +func_72323_b,calculateYOffset,2,"if instance and the argument bounding boxes overlap in the X and Z dimensions, calculate the offset between them in the Y dimension. return var2 if the bounding boxes do not overlap or if var2 is closer to 0 then the calculated offset. Otherwise return the calculated offset." +func_72324_b,setBounds,2,"Sets the bounds of the bounding box. Args: minX, minY, minZ, maxX, maxY, maxZ" +func_72325_c,getOffsetBoundingBox,2,"Returns a bounding box offseted by the specified vector (if negative numbers are given it will shrink). Args: x, y, z" +func_72326_a,intersectsWith,2,Returns whether the given bounding box intersects with this one. Args: axisAlignedBB +func_72327_a,calculateIntercept,2, +func_72328_c,setBB,2,Sets the bounding box to the same bounds as the bounding box passed in. Args: axisAlignedBB +func_72329_c,copy,2,Returns a copy of the bounding box. +func_72330_a,getBoundingBox,2,"Returns a bounding box with the specified bounds. Args: minX, minY, minZ, maxX, maxY, maxZ" +func_72331_e,contract,2,Returns a bounding box that is inset by the specified amounts +func_72332_a,getAABBPool,2,Gets the ThreadLocal AABBPool +func_72333_b,isVecInYZ,2,Checks if the specified vector is within the YZ dimensions of the bounding box. Args: Vec3D +func_72341_a,createNewDefaultPool,2, +func_72343_a,clear,2,Will truncate the array everyN clears to the maximum size observed since the last truncation. +func_72344_b,clearAndFreeCache,2, +func_72345_a,getVecFromPool,2,"extends the pool if all vecs are currently ""out""" +func_72352_l,getMaxPlayers,2,Returns the maximum number of players allowed on the server. +func_72353_e,areCommandsAllowed,2,Returns true if the specific player is allowed to use commands. +func_72354_b,updateTimeAndWeatherForPlayer,2,Updates the time and weather for the given player to those of the given world +func_72355_a,initializeConnectionToPlayer,2, +func_72356_a,transferPlayerToDimension,2, +func_72357_a,setGameType,2, +func_72358_d,serverUpdateMountedMovingPlayer,2,"using player's dimension, update their movement when in a vehicle (e.g. cart, boat)" +func_72359_h,addToWhiteList,2,Add the specified player to the white list. +func_72360_c,removeOp,2,"This removes a username from the ops list, then saves the op list" +func_72361_f,getPlayerForUsername,2, +func_72362_j,loadWhiteList,2,"Either does nothing, or calls readWhiteList." +func_72363_f,getBannedIPs,2, +func_72364_a,setPlayerManager,2,Sets the NBT manager to the one for the WorldServer given. +func_72365_p,getServerInstance,2, +func_72366_a,createPlayerForUser,2,also checks for multiple logins +func_72367_e,playerLoggedOut,2,Called when a player disconnects from the game. Writes player data to disk and removes them from the world. +func_72368_a,respawnPlayer,2,"creates and returns a respawned player based on the provided PlayerEntity. Args are the PlayerEntityMP to respawn, an INT for the dimension to respawn into (usually 0), and a boolean value that is true if the player beat the game rather than dying" +func_72369_d,getAllUsernames,2,Returns an array of the usernames of all the connected players. +func_72370_d,isAllowedToLogin,2,Determine if the player is allowed to connect based on current server settings. +func_72371_a,setWhiteListEnabled,2, +func_72372_a,getEntityViewDistance,2, +func_72373_m,getAvailablePlayerDat,2,Returns an array of usernames for which player.dat exists for. +func_72374_b,sendPlayerInfoToAllPlayers,2,"sends 1 player per tick, but only sends a player once every 600 ticks" +func_72376_i,getOps,2, +func_72377_c,playerLoggedIn,2,Called when a player successfully logs in. Reads player data from disk and inserts the player into the world. +func_72378_q,getHostPlayerData,2,"On integrated servers, returns the host's player data to be written to level.dat." +func_72379_i,removeFromWhitelist,2,Remove the specified player from the whitelist. +func_72380_a,readPlayerDataFromFile,2,called during player login. reads the player information from disk. +func_72382_j,getPlayerList,2, +func_72383_n,isWhiteListEnabled,2, +func_72384_a,sendPacketToAllPlayers,2,sends a packet to all players +func_72385_f,syncPlayerInventory,2,sends the players inventory to himself +func_72386_b,addOp,2,"This adds a username to the ops list, then saves the op list" +func_72387_b,setCommandsAllowedForAll,2,Sets whether all players are allowed to use commands (cheats) on the server. +func_72388_h,getWhiteListedPlayers,2,Returns the whitelisted players. +func_72389_g,saveAllPlayerData,2,Saves all of the players' current states. +func_72390_e,getBannedPlayers,2, +func_72391_b,writePlayerData,2,also stores the NBTTags if this is an intergratedPlayerList +func_72392_r,removeAllPlayers,2,"Kicks everyone with ""Server closed"" as reason." +func_72393_a,sendToAllNear,2,"params: x,y,z,d,dimension. The packet is sent to all players within d distance of x,y,z (d^2 10 +func_74965_c,getNextComponentZ,2,Gets the next component in the +/- Z direction +func_74966_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74973_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74974_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74975_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74977_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74978_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74979_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74980_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74981_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74982_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74983_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74984_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74985_a,createValidComponent,2,Creates and returns a new component piece. Or null if it could not find enough room to place it. +func_74986_a,getNextComponentNormal,2,Gets the next component in any cardinal direction +func_74987_c,getNextComponentZ,2,Gets the next component in the +/- Z direction +func_74988_a,getRandomDoor,2, +func_74989_b,getNextComponentX,2,Gets the next component in the +/- X direction +func_74990_a,placeDoor,2,builds a door of the enumerated types (empty opening is a door) +func_74991_a,canStrongholdGoDeeper,2,returns false if the Structure Bounding Box goes below 10 +func_74994_a,findValidPlacement,2, +func_75000_a,findValidPlacement,2, +func_75004_a,findValidPlacement,2, +func_75006_a,findValidPlacement,2, +func_75010_a,findValidPlacement,2, +func_75012_a,findValidPlacement,2, +func_75016_a,findValidPlacement,2, +func_75018_a,findValidPlacement,2, +func_75022_a,getStrongholdStairsComponent,2,"performs some checks, then gives out a fresh Stairs component" +func_75028_a,findValidPlacement,2, +func_75036_a,generate,2, +func_75037_a,recursiveGenerate,2,Recursively called by generate() (func_75036_a) and optionally by itself. +func_75041_a,generateLargeCaveNode,2,Generates a larger initial cave node than usual. Called 25% of the time. +func_75042_a,generateCaveNode,2,Generates a node in the current cave system recursion tree. +func_75043_a,generateCaveNode,2,Generates a node in the current cave system recursion tree. +func_75044_a,generateLargeCaveNode,2,Generates a larger initial cave node than usual. Called 25% of the time. +func_75045_a,generateRavine,2, +func_75047_a,canSpawnStructureAtCoords,2, +func_75048_a,hasStructureAt,2,Returns true if the structure generator has generated a structure located at the given position tuple. +func_75049_b,getStructureStart,2, +func_75050_a,getNearestInstance,2, +func_75051_a,generateStructuresInChunk,2,Generates structures in specified chunk next to existing structures. Does *not* generate StructureStarts. +func_75052_o_,getCoordList,2,"Returns a list of other locations at which the structure generation has been run, or null if not relevant to this structure generator." +func_75059_a,getSpawnList,2, +func_75062_a,selectBlocks,2,picks Block Ids and Metadata (Silverfish) +func_75063_a,getSelectedBlockId,2, +func_75064_b,getSelectedBlockMetaData,2, +func_75067_a,markAvailableHeight,2,"offsets the structure Bounding Boxes up to a certain height, typically 63 - 10" +func_75068_a,generateStructure,2,Keeps iterating Structure Pieces and spawning them until the checks tell it to stop +func_75069_d,isSizeableStructure,2,"currently only defined for Villages, returns true if Village has more than 2 non-road components" +func_75070_a,setRandomHeight,2, +func_75071_a,getBoundingBox,2, +func_75072_c,updateBoundingBox,2,Calculates total bounding box based on components' bounding boxes and saves it to boundingBox +func_75073_b,getComponents,2, +func_75077_d,getNextVillageStructureComponent,2,"attempts to find a next Structure Component to be spawned, private Village function" +func_75078_a,getNextStructureComponent,2,attempts to find a next Structure Component to be spawned +func_75080_e,getNextComponentVillagePath,2, +func_75081_c,getNextVillageComponent,2,attempts to find a next Village Component to be spawned +func_75082_b,getNextStructureComponentVillagePath,2, +func_75084_a,getStructureVillageWeightedPieceList,2, +func_75085_a,canSpawnMoreVillagePiecesOfType,2, +func_75086_a,canSpawnMoreVillagePieces,2, +func_75091_a,writeCapabilitiesToNBT,2, +func_75092_a,setFlySpeed,2, +func_75093_a,getFlySpeed,2, +func_75094_b,getWalkSpeed,2, +func_75095_b,readCapabilitiesFromNBT,2, +func_75111_a,addStats,2,Eat some food. +func_75112_a,readNBT,2,Reads food stats from an NBT object. +func_75113_a,addExhaustion,2,adds input to foodExhaustionLevel to a max of 40 +func_75114_a,setFoodLevel,2, +func_75115_e,getSaturationLevel,2,Get the player's food saturation level. +func_75116_a,getFoodLevel,2,Get the player's food level. +func_75117_b,writeNBT,2,Writes food stats to an NBT object. +func_75118_a,onUpdate,2,Handles the food game logic. +func_75119_b,setFoodSaturationLevel,2, +func_75120_b,getPrevFoodLevel,2, +func_75121_c,needFood,2,If foodLevel is not max. +func_75122_a,addStats,2,"Args: int foodLevel, float foodSaturationModifier" +func_75128_a,setPlayerIsPresent,2,adds or removes the player from the container based on par2 +func_75129_b,isPlayerNotUsingContainer,2,NotUsing because adding a player twice is an error +func_75130_a,onCraftMatrixChanged,2,Callback for when the crafting matrix is changed. +func_75131_a,putStacksInSlots,2,"places itemstacks in first x slots, x being aitemstack.lenght" +func_75132_a,addCraftingToCrafters,2, +func_75133_b,retrySlotClick,2, +func_75134_a,onCraftGuiClosed,2,Callback for when the crafting gui is closed. +func_75135_a,mergeItemStack,2,merges provided ItemStack with the first avaliable one in the container/player inventory +func_75136_a,getNextTransactionID,2,Gets a unique transaction ID. Parameter is unused. +func_75137_b,updateProgressBar,2, +func_75138_a,getInventory,2,"returns a list if itemStacks, for each slot." +func_75139_a,getSlot,2, +func_75140_a,enchantItem,2,enchants the item on the table using the specified slot; also deducts XP from player +func_75141_a,putStackInSlot,2,"args: slotID, itemStack to put in slot" +func_75142_b,detectAndSendChanges,2,"Looks for changes made in the container, sends them to every listener." +func_75144_a,slotClick,2, +func_75145_c,canInteractWith,2, +func_75146_a,addSlotToContainer,2,the slot is assumed empty +func_75147_a,getSlotFromInventory,2, +func_75174_d,getMerchantInventory,2, +func_75175_c,setCurrentRecipeIndex,2, +func_75183_a,scrollTo,2,Updates the gui slots ItemStack's based on scroll position. +func_75184_d,hasMoreThan1PageOfItemsInList,2,theCreativeContainer seems to be hard coded to 9x5 items +func_75189_a,canSpawnMoreStructuresOfType,2, +func_75190_a,canSpawnMoreStructures,2, +func_75195_a,getNextValidComponentAccess,2, +func_75196_c,getNextValidComponent,2, +func_75197_b,getStrongholdStones,2, +func_75198_a,prepareStructurePieces,2,sets up Arrays with the Structure pieces and their weights +func_75199_a,setComponentType,2, +func_75200_a,getStrongholdComponentFromWeightedPiece,2,translates the PieceWeight class to the Component class +func_75201_b,getNextComponent,2, +func_75202_c,canAddStructurePieces,2, +func_75208_c,onCrafting,2,"the itemStack passed in is the output - ie, iron ingots, and pickaxes, not ore and wood." +func_75209_a,decrStackSize,2,Decrease the size of the stack in slot (first int arg) by the amount of the second int arg. Returns the new stack. +func_75210_a,onCrafting,2,"the itemStack passed in is the output - ie, iron ingots, and pickaxes, not ore and wood. Typically increases an internal count then calls onCrafting(item)." +func_75211_c,getStack,2,Helper fnct to get the stack in the slot. +func_75212_b,getBackgroundIconIndex,2,Returns the icon index on items.png that is used as background image of the slot. +func_75214_a,isItemValid,2,Check if the stack is a valid item for this slot. Always true beside for the armor slots. +func_75215_d,putStack,2,Helper method to put a stack in the slot. +func_75216_d,getHasStack,2,Returns if this slot contains a stack. +func_75217_a,isSlotInInventory,2,returns true if this slot is in par2 of par1 +func_75218_e,onSlotChanged,2,Called when the stack in a Slot changes +func_75219_a,getSlotStackLimit,2,"Returns the maximum stack size for a given slot (usually the same as getInventoryStackLimit(), but 1 in the case of armor slots)" +func_75220_a,onSlotChange,2,"if par2 has more items than par1, onCrafting(item,countIncrease) is called" +func_75243_a_,canHoldPotion,2,Returns true if this itemstack can be filled with a potion +func_75246_d,updateTask,2,Updates the task +func_75247_h,getMutexBits,2,"Get a bitmask telling which other tasks may not run concurrently. The test is a simple bitwise AND - if it yields zero, the two tasks may run concurrently, if not - they must run exclusively from each other." +func_75248_a,setMutexBits,2,"Sets a bitmask telling which other tasks may not run concurrently. The test is a simple bitwise AND - if it yields zero, the two tasks may run concurrently, if not - they must run exclusively from each other." +func_75249_e,startExecuting,2,Execute a one shot task or start executing a continuous task +func_75250_a,shouldExecute,2,Returns whether the EntityAIBase should begin execution. +func_75251_c,resetTask,2,Resets the task +func_75252_g,isInterruptible,2,Determine if this AI Task is interruptible by a higher (= lower value) priority task. +func_75253_b,continueExecuting,2,Returns whether an in-progress EntityAIBase should continue executing +func_75270_a,setSitting,2,Sets the sitting flag. +func_75296_a,isSuitableTarget,2,A method used to see if an entity is a suitable target through a number of checks. +func_75349_a,findUsableDoor,2,Determines if a door can be broken with AI. +func_75362_f,getEatGrassTick,2, +func_75366_f,findPossibleShelter,2, +func_75382_a,hasPlayerGotBoneInHand,2,Gets if the Player has the Bone in the hand. +func_75388_i,spawnBaby,2,Spawns a baby animal of the same type. +func_75389_f,getNearbyMate,2,Loops through nearby animals and finds another animal of the same type that can be mated with. Returns the first valid mate found. +func_75398_a,isSittableBlock,2,Determines whether the Ocelot wants to sit on the block at given coordinate +func_75399_f,getNearbySitableBlockDistance,2,"Searches for a block to sit on within a 8 block range, returns 0 if none found" +func_75446_f,checkSufficientDoorsPresentForNewVillager,2, +func_75447_i,giveBirth,2, +func_75458_a,compareDistanceSq,2, +func_75461_b,findRandomTargetBlockAwayFrom,2,"finds a random target within par1(x,z) and par2 (y) blocks in the reverse direction of the point par3" +func_75462_c,findRandomTargetBlock,2,"searches 10 blocks at random in a within par1(x,z) and par2 (y) distance, ignores those not in the direction of par3Vec3, then points to the tile for which creature.getBlockPathWeight returns the highest number" +func_75463_a,findRandomTarget,2,"finds a random target within par1(x,z) and par2 (y) blocks" +func_75464_a,findRandomTargetBlockTowards,2,"finds a random target within par1(x,z) and par2 (y) blocks in the direction of the point par3" +func_75466_d,resetDoorOpeningRestrictionCounter,2, +func_75467_a,isInside,2, +func_75468_f,getDoorOpeningRestrictionCounter,2, +func_75469_c,getInsideDistanceSquare,2,Get the square of the distance from a location 2 blocks away from the door considered 'inside' and the given arguments +func_75470_e,incrementDoorOpeningRestrictionCounter,2, +func_75471_a,getInsidePosX,2, +func_75472_c,getInsidePosZ,2, +func_75473_b,getInsidePosY,2, +func_75474_b,getDistanceSquared,2,Returns the squared distance between this door and the given coordinate. +func_75483_a,isSafeToStandAt,2,"Returns true when an entity could stand at a position, including solid blocks under the entire entity. Args: xOffset, yOffset, zOffset, entityXSize, entityYSize, entityZSize, originPosition, vecX, vecZ" +func_75484_a,setPath,2,"sets the active path data if path is 100% unique compared to old path, checks to adjust path for sun avoiding ents and stores end coords" +func_75485_k,canNavigate,2,If on ground or swimming and can swim +func_75486_a,getAvoidsWater,2, +func_75487_m,removeSunnyPath,2,Trims path data from the end to the first sun covered block +func_75488_a,getPathToXYZ,2,Returns the path to the given coordinates +func_75489_a,setSpeed,2,Sets the speed +func_75490_c,setEnterDoors,2,Sets if the entity can enter open doors +func_75491_a,setAvoidsWater,2, +func_75492_a,tryMoveToXYZ,2,Try to find and set a path to XYZ. Returns true if successful. +func_75493_a,isDirectPathBetweenPoints,2,"Returns true when an entity of specified size could safely walk in a straight line between the two points. Args: pos1, pos2, entityXSize, entityYSize, entityZSize" +func_75494_a,getPathToEntityLiving,2,Returns the path to the given EntityLiving +func_75495_e,setCanSwim,2,Sets if the entity can swim +func_75496_b,isPositionClear,2,"Returns true if an entity does not collide with any solid blocks at the position. Args: xOffset, yOffset, zOffset, entityXSize, entityYSize, entityZSize, originPosition, vecX, vecZ" +func_75497_a,tryMoveToEntityLiving,2,Try to find and set a path to EntityLiving. Returns true if successful. +func_75498_b,setBreakDoors,2, +func_75499_g,clearPathEntity,2,sets active PathEntity to null +func_75500_f,noPath,2,If null path or reached the end +func_75501_e,onUpdateNavigation,2, +func_75502_i,getEntityPosition,2, +func_75503_j,getPathableYPos,2,Gets the safe pathing Y position for the entity depending on if it can path swim or not +func_75504_d,setAvoidSun,2,Sets if the path should avoid sunlight +func_75505_d,getPath,2,gets the actively used PathEntity +func_75506_l,isInFluid,2,"Returns true if the entity is in water or lava, false otherwise" +func_75507_c,getCanBreakDoors,2,"Returns true if the entity can break doors, false otherwise" +func_75508_h,pathFollow,2, +func_75522_a,canSee,2,"Checks, whether 'our' entity can see the entity given as argument (true) or not (false), caching the result." +func_75523_a,clearSensingCache,2,Clears canSeeCachePositive and canSeeCacheNegative. +func_75528_a,tick,2,Runs a single tick for the village siege +func_75530_c,spawnZombie,2, +func_75540_b,getVillageList,2,Get a list of villages. +func_75541_e,isWoodenDoorAt,2, +func_75542_c,addDoorToNewListIfAppropriate,2, +func_75543_d,dropOldestVillagerPosition,2, +func_75544_a,tick,2,Runs a single tick for the village collection +func_75545_e,addNewDoorsToVillageOrCreateVillage,2, +func_75546_a,addUnassignedWoodenDoorsAroundToNewDoorsList,2, +func_75547_b,getVillageDoorAt,2, +func_75548_d,isVillagerPositionPresent,2, +func_75549_c,removeAnnihilatedVillages,2, +func_75550_a,findNearestVillage,2,"Finds the nearest village, but only the given coordinates are withing it's bounding box plus the given the distance." +func_75551_a,addVillagerPosition,2,"This is a black hole. You can add data to this list through a public interface, but you can't query that information in any way and it's not used internally either." +func_75557_k,removeDeadAndOutOfRangeDoors,2, +func_75558_f,getVillageDoorInfoList,2,called only by class EntityAIMoveThroughVillage +func_75559_a,tryGetIronGolemSpawningLocation,2,Tries up to 10 times to get a valid spawning location before eventually failing and returning null. +func_75560_a,tick,2,Called periodically by VillageCollection +func_75561_d,getTicksSinceLastDoorAdding,2, +func_75562_e,getNumVillagers,2, +func_75563_b,isValidIronGolemSpawningLocation,2, +func_75564_b,findNearestDoor,2, +func_75565_j,removeDeadAndOldAgressors,2, +func_75566_g,isAnnihilated,2,"Returns true, if there is not a single village door left. Called by VillageCollection" +func_75567_c,getNumVillageDoors,2,"Actually get num village door info entries, but that boils down to number of doors. Called by EntityAIVillagerMate and VillageSiege" +func_75568_b,getVillageRadius,2, +func_75569_c,findNearestDoorUnrestricted,2,"Find a door suitable for shelter. If there are more doors in a distance of 16 blocks, then the least restricted one (i.e. the one protecting the lowest number of villagers) of them is chosen, else the nearest one regardless of restriction." +func_75570_a,isInRange,2,"Returns true, if the given coordinates are within the bounding box of the village." +func_75571_b,findNearestVillageAggressor,2, +func_75572_i,updateNumVillagers,2, +func_75573_l,updateVillageRadiusAndCenter,2, +func_75574_f,isBlockDoor,2, +func_75575_a,addOrRenewAgressor,2, +func_75576_a,addVillageDoorInfo,2, +func_75577_a,getCenter,2, +func_75578_e,getVillageDoorAt,2, +func_75579_h,updateNumIronGolems,2, +func_75598_a,getCreatureClass,2, +func_75599_d,getPeacefulCreature,2,Gets whether or not this creature type is peaceful. +func_75600_c,getCreatureMaterial,2, +func_75601_b,getMaxNumberOfCreature,2, +func_75614_a,addMapping,2,Adds a entity mapping with egg info. +func_75615_a,createEntityFromNBT,2,create a new instance of an entity from NBT store +func_75616_a,createEntityByID,2,Create a new instance of an entity in the world by using an entity ID. +func_75617_a,getStringFromID,2,Finds the class using IDtoClassMapping and classToStringMapping +func_75618_a,addMapping,2,adds a mapping between Entity classes and both a string representation and an ID +func_75619_a,getEntityID,2,gets the entityID of a specific entity +func_75620_a,createEntityByName,2,Create a new instance of an entity in the world by using the entity name. +func_75621_b,getEntityString,2,Gets the string representation of a specific entity. +func_75630_a,multiplyBy32AndRound,2, +func_75638_b,getSpeed,2, +func_75639_a,limitAngle,2,Limits the given angle to a upper and lower limit. +func_75640_a,isUpdating,2, +func_75641_c,onUpdateMoveHelper,2, +func_75642_a,setMoveTo,2,Sets the speed and location to move to +func_75649_a,onUpdateLook,2,Updates look +func_75650_a,setLookPosition,2,Sets position to look at +func_75651_a,setLookPositionWithEntity,2,Sets position to look at using entity +func_75652_a,updateRotation,2, +func_75660_a,setJumping,2, +func_75661_b,doJump,2,Called to actually make the entity jump if isJumping is true. +func_75669_b,getObject,2, +func_75670_d,isWatched,2, +func_75671_a,setWatched,2, +func_75672_a,getDataValueId,2, +func_75673_a,setObject,2, +func_75674_c,getObjectType,2, +func_75679_c,getWatchableObjectInt,2,gets a watchable object and returns it as a Integer +func_75680_a,writeObjectsInListToStream,2,"writes every object in passed list to dataoutputstream, terminated by 0x7F" +func_75681_e,getWatchableObjectString,2,gets a watchable object and returns it as a String +func_75682_a,addObject,2,"adds a new object to dataWatcher to watch, to update an already existing object see updateObject. Arguments: data Value Id, Object to add" +func_75683_a,getWatchableObjectByte,2,gets the bytevalue of a watchable object +func_75684_a,hasChanges,2, +func_75685_c,getAllWatched,2, +func_75686_a,readWatchableObjects,2, +func_75687_a,updateWatchedObjectsFromList,2, +func_75688_b,unwatchAndReturnAllWatched,2, +func_75689_a,writeWatchableObjects,2, +func_75690_a,writeWatchableObject,2, +func_75691_i,getWatchedObject,2,"is threadsafe, unless it throws an exception, then" +func_75692_b,updateObject,2,updates an already existing object +func_75693_b,getWatchableObjectShort,2, +func_75734_a,waitForFinish,2, +func_75735_a,queueIO,2,threaded io +func_75736_b,processQueue,2,Process the items that are in the queue +func_75742_a,loadData,2,"Loads an existing MapDataBase corresponding to the given String id from disk, instantiating the given Class, or returns null if none such file exists. args: Class to instantiate, String dataid" +func_75743_a,getUniqueDataId,2,Returns an unique new data id for the given prefix and saves the idCounts map to the 'idcounts' file. +func_75744_a,saveAllData,2,Saves all dirty loaded MapDataBases to disk. +func_75745_a,setData,2,"Assigns the given String id to the given MapDataBase, removing any existing ones of the same id." +func_75746_b,loadIdCounts,2,Loads the idCounts Map from the 'idcounts' file. +func_75747_a,saveData,2,Saves the given MapDataBase to disk. +func_75752_b,readPlayerData,2,Reads the player data from disk into the specified PlayerEntityMP. +func_75753_a,writePlayerData,2,Writes the player data to disk from the specified PlayerEntityMP. +func_75754_f,getAvailablePlayerDat,2,Returns an array of usernames for which player.dat exists for. +func_75755_a,saveWorldInfoWithPlayer,2,Saves the given World Info with the given NBTTagCompound as the Player. +func_75756_e,getSaveHandler,2,returns null if no saveHandler is relevent (eg. SMP) +func_75757_d,loadWorldInfo,2,Loads and returns the world info +func_75758_b,getMapFileFromName,2,Gets the file location of the given map +func_75759_a,flush,2,"Called to flush all changes to disk, waiting for them to complete." +func_75760_g,getWorldDirectoryName,2,Returns the name of the directory where world information is saved. +func_75761_a,saveWorldInfo,2,Saves the passed in world info. +func_75762_c,checkSessionLock,2,Checks the session lock to prevent save collisions +func_75763_a,getChunkLoader,2,Returns the chunk loader with the provided world provider +func_75764_a,getPlayerData,2,Gets the player data for the given playername as a NBTTagCompound. +func_75765_b,getWorldDirectory,2,Gets the File object corresponding to the base directory of this world. +func_75766_h,setSessionLock,2,Creates a session lock file for this process +func_75773_a,canContinue,2,Determine if a specific AI Task should continue being executed. +func_75774_a,onUpdateTasks,2, +func_75775_b,canUse,2,"Determine if a specific AI Task can be executed, which means that all running higher (= lower int value) priority tasks are compatible with it or all lower priority tasks can be interrupted." +func_75776_a,addTask,2, +func_75777_a,areTasksCompatible,2,Returns whether two EntityAITaskEntries can be executed concurrently +func_75783_h,getCheatsEnabled,2,@return {@code true} if cheats are enabled for this world +func_75784_e,getLastTimePlayed,2, +func_75785_d,requiresConversion,2, +func_75786_a,getFileName,2,return the file name +func_75787_a,compareTo,2, +func_75788_b,getDisplayName,2,return the display name of the save +func_75789_g,isHardcoreModeEnabled,2, +func_75790_f,getEnumGameType,2,Gets the EnumGameType. +func_75799_b,getSaveList,2, +func_75800_d,flushCache,2, +func_75801_b,isOldMapFormat,2,Checks if the save directory uses the old map format +func_75802_e,deleteWorldDirectory,2,@args: Takes one argument - the name of the directory of the world to delete. @desc: Delete the world by deleting the associated directory recursively. +func_75803_c,getWorldInfo,2,gets the world info +func_75804_a,getSaveLoader,2,Returns back a loader for the specified save directory +func_75805_a,convertMapFormat,2,"Converts the specified map to the new map format. Args: worldName, loadingScreen" +func_75806_a,renameWorld,2,@args: Takes two arguments - first the name of the directory containing the world and second the new name for that world. @desc: Renames the world by storing the new name in level.dat. It does *not* rename the directory containing the world data. +func_75807_a,deleteFiles,2,@args: Takes one argument - the list of files and directories to delete. @desc: Deletes the files and directory listed in the list recursively. +func_75809_f,createFile,2,par: filename for the level.dat_mcr backup +func_75810_a,addRegionFilesToCollection,2,"filters the files in the par1 directory, and adds them to the par2 collections" +func_75811_a,convertChunks,2,"copies a 32x32 chunk set from par2File to par1File, via AnvilConverterData" +func_75812_c,getSaveVersion,2, +func_75813_a,convertFile,2, +func_75814_c,writeNextIO,2,Returns a boolean stating if the write was unsuccessful. +func_75815_a,loadChunk,2,Loads the specified(XZ) chunk into the specified world. +func_75816_a,saveChunk,2, +func_75817_a,chunkTick,2,Called every World.tick() +func_75818_b,saveExtraData,2,"Save extra data not associated with any Chunk. Not saved during autosave, only during world unload. Currently unused." +func_75819_b,saveExtraChunkData,2,"Save extra data associated with this Chunk not normally saved during autosave, only during chunk unload. Currently unused." +func_75820_a,writeChunkToNBT,2,"Writes the Chunk passed as an argument to the NBTTagCompound also passed, using the World argument to retrieve the Chunk's last update time." +func_75821_a,writeChunkNBTTags,2, +func_75822_a,checkedReadChunkFromNBT,2,Wraps readChunkFromNBT. Checks the coordinates and several NBT tags. +func_75823_a,readChunkFromNBT,2,Reads the data stored in the passed NBTTagCompound and creates a Chunk with that data in the passed World. Returns the created Chunk. +func_75824_a,addChunkToPending,2, +func_75829_a,distanceTo,2,Returns the linear distance to another path point +func_75830_a,makeHash,2, +func_75831_a,isAssigned,2,Returns true if this point has already been assigned to a path +func_75843_a,format,2,Formats a given stat for human consumption. +func_75844_c,dequeue,2,Returns and removes the first point in the path +func_75845_e,isPathEmpty,2,Returns true if this path contains no points +func_75846_b,sortForward,2,Sorts a point to the right +func_75847_a,sortBack,2,Sorts a point to the left +func_75848_a,clearPath,2,Clears the path +func_75849_a,addPoint,2,Adds a point to the path +func_75850_a,changeDistance,2,Changes the provided point's distance to target +func_75853_a,createEntityPath,2,Returns a new PathEntity for a given start and end point +func_75854_a,openPoint,2,Returns a mapped point or creates and adds one +func_75855_a,getVerticalOffset,2,"Checks if an entity collides with blocks at a position. Returns 1 if clear, 0 for colliding with any solid block, -1 for water(if avoiding water) but otherwise clear, -2 for lava, -3 for fence, -4 for closed trapdoor, 2 if otherwise clear except for open trapdoor or water(if not avoiding)" +func_75856_a,createEntityPathTo,2,Creates a path from one entity to another within a minimum distance +func_75857_a,createEntityPathTo,2,Internal implementation of creating a path from an entity to a point +func_75858_a,getSafePoint,2,Returns a point that the entity can safely move to +func_75859_a,createEntityPathTo,2,Creates a path from an entity to a specified location within a minimum distance +func_75860_b,findPathOptions,2,"populates pathOptions with available points and returns the number of options found (args: unused1, currentPoint, unused2, targetPoint, maxDistance)" +func_75861_a,addToPath,2,"Adds a path from start to end and returns the whole path (args: unused, start, end, unused, maxDistance)" +func_75870_c,getFinalPathPoint,2,returns the last PathPoint of the Array +func_75871_b,setCurrentPathLength,2, +func_75872_c,setCurrentPathIndex,2, +func_75873_e,getCurrentPathIndex,2, +func_75874_d,getCurrentPathLength,2, +func_75875_a,incrementPathIndex,2,Directs this path to the next point in its array +func_75876_a,isSamePath,2,Returns true if the EntityPath are the same. Non instance related equals. +func_75877_a,getPathPointFromIndex,2,"return the PathPoint located at the specified PathIndex, usually the current one" +func_75878_a,getPosition,2,returns the current PathEntity target node as Vec3D +func_75879_b,isFinished,2,Returns true if this path has reached the end +func_75880_b,isDestinationSame,2,Returns true if the final PathPoint in the PathEntity is equal to Vec3D coords. +func_75881_a,getVectorFromIndex,2,Gets the vector of the PathPoint associated with the given index. +func_75885_a,cipherOperation,2,Encrypt or decrypt byte[] data using the specified key +func_75886_a,createTheCipherInstance,2,Creates the Cipher Instance. +func_75887_a,decryptSharedKey,2,Decrypt shared secret AES key using RSA private key +func_75888_a,decryptInputStream,2, +func_75889_b,decryptData,2,Decrypt byte[] data with RSA private key +func_75890_a,createNewSharedKey,2,Generate a new shared secret AES key from a secure random source +func_75891_b,createNewKeyPair,2, +func_75892_a,createBufferedBlockCipher,2,Create a new BufferedBlockCipher instance +func_75893_a,digestOperation,2,Compute a message digest on arbitrary byte[] data +func_75894_a,encryptData,2,Encrypt byte[] data with RSA public key +func_75895_a,getServerIdHash,2,Compute a serverId hash for use by sendSessionRequest() +func_75896_a,decodePublicKey,2,Create a new PublicKey from encoded X.509 data +func_75897_a,encryptOuputStream,2, +func_75899_a,getMD5String,2,Gets the MD5 string +func_75901_a,initializeAllBiomeGenerators,2,"the first array item is a linked list of the bioms, the second is the zoom function, the third is the same as the first." +func_75902_a,nextInt,2,"returns a LCG pseudo random number from [0, x). Args: int x" +func_75903_a,initChunkSeed,2,"Initialize layer's current chunkSeed based on the local worldGenSeed and the (x,z) chunk coordinates." +func_75904_a,getInts,2,"Returns a list of integer values generated by this layer. These may be interpreted as temperatures, rainfall amounts, or biomeList[] indices based on the particular GenLayer subclass." +func_75905_a,initWorldGenSeed,2,Initialize layer's local worldGenSeed based on its own baseSeed and the world's global seed (passed in as an argument). +func_75912_b,choose,2,randomly choose between the four args +func_75913_a,choose,2,randomly choose between the two args +func_75915_a,magnify,2,"Magnify a layer. Parms are seed adjustment, layer, number of times to magnify" +func_75916_b,modeOrRandom,2,returns the mode (most frequently occuring number) or a random number from the 4 integers provided +func_75917_a,choose,2,Chooses one of the two inputs randomly. +func_75918_d,initCraftableStats,2,Initializes statistics related to craftable items. Is only called after both block and item stats have been initialized. +func_75919_a,nopInit,2,This method simply NOPs. It is presumably used to call the static constructors on server start. +func_75920_a,initUsableStats,2,Initializes statistic fields related to usable items and blocks. +func_75921_a,initMinableStats,2,Initializes statistic fields related to minable items and blocks. +func_75922_b,initBreakableStats,2,Initializes statistic fields related to breakable items and blocks. +func_75923_a,getOneShotStat,2, +func_75924_a,replaceAllSimilarBlocks,2,Forces all dual blocks to count for each other on the stats list +func_75925_c,initStats,2, +func_75926_b,initBreakStats,2, +func_75927_a,replaceSimilarBlocks,2,"Forces stats for one block to add to another block, such as idle and active furnaces" +func_75962_a,getGuid,2,Returns the unique GUID of a achievement id. +func_75965_j,getNumberFormat,2, +func_75966_h,initIndependentStat,2,"Initializes the current stat as independent (i.e., lacking prerequisites for being updated) and returns the current instance." +func_75967_d,isAchievement,2,Returns whether or not the StatBase-derived class is a statistic (running counter) or an achievement (one-shot). +func_75969_k,getDecimalFormat,2, +func_75970_i,getName,2, +func_75971_g,registerStat,2,Register the stat into StatList. +func_75982_a,getItemID,2, +func_75984_f,getSpecial,2,"Special achievements have a 'spiked' (on normal texture pack) frame, special achievements are the hardest ones to achieve." +func_75985_c,registerAchievement,2,"Adds the achievement on the internal list of registered achievements, also, it's check for duplicated id's." +func_75986_a,setIndependent,2,"Indicates whether or not the given achievement or statistic is independent (i.e., lacks prerequisites for being update)." +func_75987_b,setSpecial,2,"Special achievements have a 'spiked' (on normal texture pack) frame, special achievements are the hardest ones to achieve." +func_75988_a,setStatStringFormatter,2,Defines a string formatter for the achievement. +func_75989_e,getDescription,2,Returns the fully description of the achievement - ready to be displayed on screen. +func_75997_a,init,2,A stub functions called to make the static initializer for this class run. +func_76030_b,getValue,2,Returns the object stored in this entry +func_76031_a,getHash,2,Returns the hash code for this entry +func_76036_e,removeEntry,2,Removes the specified entry from the map and returns it +func_76037_b,containsItem,2,Return true if an object is associated with the given key +func_76038_a,addKey,2,Adds a key and associated value to this map +func_76039_d,getKeySet,2,Return the Set of all keys stored in this MCHash object +func_76040_a,insert,2,Adds an object to a slot +func_76041_a,lookup,2,Returns the object associated to a key +func_76042_f,getHash,2,Returns the hash code for a key +func_76043_a,getSlotIndex,2,Computes the index of the slot for the hash and slot count passed in. +func_76044_g,computeHash,2,Makes the passed in integer suitable for hashing by a number of shifts +func_76045_c,lookupEntry,2,Returns the key/object mapping for a given key as a MCHashEntry +func_76046_c,clearMap,2,Removes all entries from the map +func_76047_h,grow,2,Increases the number of hash slots +func_76048_a,copyTo,2,Copies the hash slots to a new array +func_76049_d,removeObject,2,Removes the specified object from the map and returns it +func_76056_b,setSpawnY,2,Sets the y spawn position +func_76057_l,getLastTimePlayed,2,Return the last time the player was in this world. +func_76058_a,setSpawnX,2,Set the x spawn position to the passed in value +func_76059_o,isRaining,2,"Returns true if it is raining, false otherwise." +func_76060_a,setGameType,2,Sets the GameType. +func_76061_m,isThundering,2,"Returns true if it is thundering, false otherwise." +func_76062_a,setWorldName,2, +func_76063_b,getSeed,2,Returns the seed of current world. +func_76064_a,updateTagCompound,2, +func_76065_j,getWorldName,2,Get current world name +func_76066_a,getNBTTagCompound,2,Gets the NBTTagCompound for the worldInfo +func_76067_t,getTerrainType,2, +func_76068_b,setWorldTime,2,Set current world time +func_76069_a,setThundering,2,Sets whether it is thundering or not. +func_76070_v,isInitialized,2,Returns true if the World is initialized. +func_76071_n,getThunderTime,2,Returns the number of ticks until next thunderbolt. +func_76072_h,getPlayerNBTTagCompound,2,Returns the player's NBTTagCompound to be loaded +func_76073_f,getWorldTime,2,Get current world time +func_76074_e,getSpawnZ,2,Returns the z spawn position +func_76075_d,getSpawnY,2,Return the Y axis spawning point of the player. +func_76076_i,getDimension,2, +func_76077_q,getGameType,2,Gets the GameType. +func_76078_e,setSaveVersion,2,Sets the save version of the world +func_76079_c,getSpawnX,2,Returns the x spawn position +func_76080_g,setRainTime,2,Sets the number of ticks until rain. +func_76081_a,setSpawnPosition,2,"Sets the spawn zone position. Args: x, y, z" +func_76082_a,cloneNBTCompound,2,"Creates a new NBTTagCompound for the world, with the given NBTTag as the ""Player""" +func_76083_p,getRainTime,2,Return the number of ticks until rain. +func_76084_b,setRaining,2,Sets whether it is raining or not. +func_76085_a,setTerrainType,2, +func_76086_u,areCommandsAllowed,2,Returns true if commands are allowed on this World. +func_76087_c,setSpawnZ,2,Set the z spawn position to the passed in value +func_76088_k,getSaveVersion,2,Returns the save version of this world +func_76089_r,isMapFeaturesEnabled,2,Get whether the map features (e.g. strongholds) generation is enabled or disabled. +func_76090_f,setThunderTime,2,Defines the number of ticks until next thunderbolt. +func_76091_d,setServerInitialized,2,Sets the initialization status of the World. +func_76092_g,getSizeOnDisk,2, +func_76093_s,isHardcoreModeEnabled,2,"Returns true if hardcore mode is enabled, otherwise false" +func_76116_a,putLower,2,a map already defines a general put +func_76118_a,countPacket,2, +func_76123_f,ceiling_float_int,2, +func_76124_d,floor_double_long,2,Long version of floor_double +func_76125_a,clamp_int,2,"Returns the value of the first parameter, clamped to be within the lower and upper limits given by the second and third parameters." +func_76126_a,sin,2,sin looked up in a table +func_76127_a,average,2, +func_76128_c,floor_double,2,Returns the greatest integer less than or equal to the double argument +func_76129_c,sqrt_float,2, +func_76130_a,abs_int,2,Returns the unsigned value of an int. +func_76131_a,clamp_float,2,"Returns the value of the first parameter, clamped to be within the lower and upper limits given by the second and third parameters" +func_76132_a,abs_max,2,Maximum of the absolute value of two numbers. +func_76133_a,sqrt_double,2, +func_76134_b,cos,2,cos looked up in the sin table with the appropriate offset +func_76135_e,abs,2, +func_76136_a,getRandomIntegerInRange,2, +func_76137_a,bucketInt,2,"Buckets an integer with specifed bucket sizes. Args: i, bucketSize" +func_76138_g,wrapAngleTo180_double,2,"the angle is reduced to an angle between -180 and +180 by mod, and a 360 check" +func_76139_a,stringNullOrLengthZero,2,Tests if a string is null or of length zero +func_76140_b,truncateDoubleToInt,2,"returns par0 cast as an int, and no greater than Integer.MAX_VALUE-1024" +func_76141_d,floor_float,2,Returns the greatest integer less than or equal to the float argument +func_76142_g,wrapAngleTo180_float,2,"the angle is reduced to an angle between -180 and +180 by mod, and a 360 check" +func_76143_f,ceiling_double_int,2, +func_76145_b,getValue,2, +func_76146_a,getKey,2, +func_76151_f,getHashCode,2,public method to get the hashed key(hashCode) +func_76152_e,removeKey,2,removes the key from the hash linked list +func_76153_b,resizeTable,2,resizes the table +func_76154_a,copyHashTableTo,2,copies the hash table to the specified array +func_76155_g,getHashedKey,2,returns the hashed key given the original key +func_76156_a,createKey,2,creates the key in the hash table +func_76157_a,hash,2,the hash function +func_76158_a,getHashIndex,2,gets the index in the hash given the array length and the hashed key +func_76159_d,remove,2,calls the removeKey method and returns removed object +func_76160_c,getEntry,2, +func_76161_b,containsItem,2, +func_76162_a,getNumHashElements,2, +func_76163_a,add,2,Add a key-value pair. +func_76164_a,getValueByKey,2,get the value from the map given the key +func_76170_a,onSuccess,2, +func_76179_a,buildPostString,2,Builds an encoded HTTP POST content string from a string map +func_76180_a,sendPost,2,Sends a HTTP POST request to the given URL with data from a string +func_76182_a,downloadTexturePack,2,The downloader for texturepacks stored in the server. +func_76183_a,sendPost,2,Sends a HTTP POST request to the given URL with data from a map +func_76184_a,readFromNBT,2,reads in data from the NBTTagCompound into this MapDataBase +func_76185_a,markDirty,2,"Marks this MapDataBase dirty, to be saved to disk when the level next saves." +func_76186_a,setDirty,2,"Sets the dirty state of this MapDataBase, whether it needs saving to disk." +func_76187_b,writeToNBT,2,"write data to NBTTagCompound from this MapDataBase, similar to Entities and TileEntities" +func_76188_b,isDirty,2,Whether this MapDataBase needs saving to disk. +func_76191_a,updateVisiblePlayers,2,Adds the player passed to the list of visible players and checks to see which players are visible +func_76192_a,updateMPMapData,2,Updates the client's map with information from other players in MP +func_76193_a,getUpdatePacketData,2,Get byte array of packet data to send to players on map for updating map data +func_76194_a,setColumnDirty,2,"Marks a vertical range of pixels as being modified so they will be resent to clients. Parameters: X, lowest Y, highest Y" +func_76204_a,getPlayersOnMap,2,"returns a 1+players*3 array, of x,y, and color . the name of this function may be partially wrong, as there is a second branch to the code here" +func_76217_h,getCanBurn,2,Returns if the block can burn or not. +func_76218_k,isOpaque,2,Indicate if the material is opaque +func_76219_n,setNoPushMobility,2,"This type of material can't be pushed, but pistons can move over it." +func_76220_a,isSolid,2, +func_76221_f,setRequiresTool,2,Makes blocks with this material require the correct tool to be harvested. +func_76222_j,isReplaceable,2,"Returns whether the material can be replaced by other blocks when placed - eg snow, vines and tall grass." +func_76223_p,setTranslucent,2,Marks the material as translucent +func_76224_d,isLiquid,2,Returns if blocks of these materials are liquids. +func_76225_o,setImmovableMobility,2,"This type of material can't be pushed, and pistons are blocked to move." +func_76226_g,setBurning,2,Set the canBurn bool to True and return the current object. +func_76227_m,getMaterialMobility,2,"Returns the mobility information of the material, 0 = free, 1 = can't push but can move over, 2 = total immobility and stop pistons." +func_76228_b,getCanBlockGrass,2,Will prevent grass from growing on dirt underneath and kill any grass below it if it returns true +func_76229_l,isToolNotRequired,2,Returns true if the material can be harvested without a tool (or with the wrong tool) +func_76230_c,blocksMovement,2,Returns if this material is considered solid or not +func_76231_i,setReplaceable,2,Sets {@link #replaceable} to true. +func_76269_a,getRandomItem,2,"Returns a random choice from the input array of items, with a total weight value." +func_76270_a,getTotalWeight,2,Returns the total weight of all items in a array. +func_76271_a,getRandomItem,2,Returns a random choice from the input items. +func_76272_a,getTotalWeight,2,Returns the total weight of all items in a collection. +func_76273_a,getRandomItem,2,"Returns a random choice from the input items, with a total weight value." +func_76274_a,getRandomItem,2,Returns a random choice from the input items. +func_76293_a,generateChestContents,2,Generates the Chest contents. +func_76294_a,generateDispenserContents,2,Generates the Dispenser contents. +func_76304_a,generateNoiseOctaves,2,"pars:(par2,3,4=noiseOffset ; so that adjacent noise segments connect) (pars5,6,7=x,y,zArraySize),(pars8,10,12 = x,y,z noiseScale)" +func_76305_a,generateNoiseOctaves,2,Bouncer function to the main one with some default arguments. +func_76308_a,populateNoiseArray,2,"pars: noiseArray , xOffset , yOffset , zOffset , xSize , ySize , zSize , xScale, yScale , zScale , noiseScale. noiseArray should be xSize*ySize*zSize in size" +func_76310_a,grad,2, +func_76311_b,lerp,2, +func_76316_a,onInventoryChanged,2,Called by InventoryBasic.onInventoryChanged() on a array that is never filled. +func_76317_a,clearProfiling,2,Clear profiling. +func_76318_c,endStartSection,2,End current section and start a new section +func_76319_b,endSection,2,End section +func_76320_a,startSection,2,Start section +func_76321_b,getProfilingData,2,Get profiling data +func_76322_c,getNameOfLastSection,2, +func_76333_a,smooth,2,Smooths mouse input +func_76337_a,ticksToElapsedTime,2,"Returns the time elapsed for the given number of ticks, in ""mm:ss"" format." +func_76338_a,stripControlCodes,2, +func_76340_b,getSecond,2,Get the second Object in the Tuple +func_76341_a,getFirst,2,Get the first Object in the Tuple +func_76345_d,getHungerDamage,2,How much satiate(food) is consumed by this DamageSource +func_76346_g,getEntity,2, +func_76347_k,isFireDamage,2,Returns true if the damage is fire based. +func_76348_h,setDamageBypassesArmor,2, +func_76349_b,setProjectile,2,Define the damage type as projectile based. +func_76350_n,isDifficultyScaled,2,Return whether this damage source will have its damage amount scaled based on the current difficulty. +func_76351_m,setDifficultyScaled,2,Set whether this damage source will have its damage amount scaled based on the current difficulty. +func_76352_a,isProjectile,2,Returns true if the damage is projectile based. +func_76353_a,causeArrowDamage,2,returns EntityDamageSourceIndirect of an arrow +func_76354_b,causeIndirectMagicDamage,2, +func_76355_l,getDamageType,2,Return the name of damage type. +func_76356_a,causeThrownDamage,2, +func_76357_e,canHarmInCreative,2, +func_76358_a,causeMobDamage,2, +func_76359_i,setDamageAllowedInCreativeMode,2, +func_76360_b,getDeathMessage,2,Returns the message to be displayed on player death. +func_76361_j,setFireDamage,2,Define the damage type as fire based. +func_76362_a,causeFireballDamage,2,returns EntityDamageSourceIndirect of a fireball +func_76363_c,isUnblockable,2, +func_76364_f,getSourceOfDamage,2, +func_76365_a,causePlayerDamage,2,returns an EntityDamageSource of type player +func_76388_g,getEffectiveness,2, +func_76389_a,getDurationString,2, +func_76390_b,setPotionName,2,Set the potion name. +func_76392_e,getStatusIconIndex,2,Returns the index for the icon to display when the potion is active. +func_76393_a,getName,2,returns the name of the potion +func_76394_a,performEffect,2, +func_76395_i,isUsable,2, +func_76396_c,getId,2,returns the ID of the potion +func_76397_a,isReady,2,checks if Potion effect is ready to be applied this tick. +func_76398_f,isBadEffect,2,This method returns true if the potion effect is bad - negative - for the entity. +func_76399_b,setIconIndex,2,Sets the index for the icon displayed in the player's inventory when the status is active. +func_76400_d,hasStatusIcon,2,Returns true if the potion has a associated status icon to display in then inventory when active. +func_76401_j,getLiquidColor,2,Returns the color of the potion liquid. +func_76402_a,affectEntity,2,Hits the provided entity with this potion's instant effect. +func_76403_b,isInstant,2,Returns true if the potion has an instant effect instead of a continuous one (eg Harming) +func_76404_a,setEffectiveness,2, +func_76445_a,getIntCache,2, +func_76446_a,resetIntCache,2,Mark all pre-allocated arrays as available for re-use by moving them to the appropriate free lists. +func_76452_a,combine,2,merges the input PotionEffect into this one if this.amplifier <= tomerge.amplifier. The duration in the supplied potion effect is assumed to be greater. +func_76453_d,getEffectName,2, +func_76454_e,deincrementDuration,2, +func_76455_a,onUpdate,2, +func_76456_a,getPotionID,2,Retrieve the ID of the potion this effect matches. +func_76457_b,performEffect,2, +func_76458_c,getAmplifier,2, +func_76459_b,getDuration,2, +func_76463_a,startSnooper,2,Note issuing start multiple times is not an error. +func_76464_f,addBaseDataToSnooper,2, +func_76465_c,getCurrentStats,2, +func_76466_d,getSelfCounterFor,2,returns a value indicating how many times this function has been run on the snooper +func_76467_g,addJvmArgsToSnooper,2, +func_76468_d,isSnooperRunning,2, +func_76469_c,getDataMapFor,2, +func_76470_e,stopSnooper,2, +func_76471_b,addMemoryStatsToSnooper,2, +func_76472_a,addData,2,Adds information to the report +func_76473_a,getStatsCollectorFor,2, +func_76474_b,getSyncLockFor,2, +func_76475_e,getServerUrlFor,2, +func_76484_a,generate,2, +func_76485_a,setBlockAndMetadata,2,"Sets the block in the world, notifying neighbors if enabled." +func_76486_a,setBlock,2,"Sets the block without metadata in the world, notifying neighbors if enabled." +func_76487_a,setScale,2,"Rescales the generator settings, only used in WorldGenBigTree" +func_76489_a,generateLeafNodeList,2,"Generates a list of leaf nodes for the tree, to be populated by generateLeaves." +func_76490_a,layerSize,2,Gets the rough size of a layer of the tree. +func_76491_a,generateLeafNode,2,Generates the leaves surrounding an individual entry in the leafNodes list. +func_76492_a,genTreeLayer,2, +func_76493_c,leafNodeNeedsBase,2,Indicates whether or not a leaf node requires additional wood to be added to preserve integrity. +func_76494_d,generateLeafNodeBases,2,Generates additional wood blocks to fill out the bases of different leaf nodes that would otherwise degrade. +func_76495_b,leafSize,2, +func_76496_a,checkBlockLine,2,"Checks a line of blocks in the world from the first coordinate to triplet to the second, returning the distance (in blocks) before a non-air, non-leaf block is encountered and/or the end is encountered." +func_76497_e,validTreeLocation,2,"Returns a boolean indicating whether or not the current location for the tree, spanning basePos to to the height limit, is valid." +func_76498_b,generateLeaves,2,Generates the leaf portion of the tree as specified by the leafNodes list. +func_76499_c,generateTrunk,2,Places the trunk for the big tree that is being generated. Able to generate double-sized trunks by changing a field that is always 1 to 2. +func_76500_a,placeBlockLine,2,Places a line of the specified block ID into the world from the first coordinate triplet to the second. +func_76519_a,growLeaves,2, +func_76529_b,growVines,2,"Grows vines downward from the given block for a given length. Args: World, x, starty, z, vine-length" +func_76536_b,generateVines,2,Generates vines at the given position until it hits a block. +func_76543_b,pickMobSpawner,2,Randomly decides which spawner to use in a dungeon +func_76544_a,pickCheckLootItem,2,Picks potentially a random item to add to a dungeon chest. +func_76549_c,getChunkInputStream,2,"Returns an input stream for the specified chunk. Args: worldDir, chunkX, chunkZ" +func_76550_a,createOrLoadRegionFile,2, +func_76551_a,clearRegionFileReferences,2,Saves the current Chunk Map Cache +func_76552_d,getChunkOutputStream,2,"Returns an output stream for the specified chunk. Args: worldDir, chunkX, chunkZ" +func_76554_h,getEntrancePortalLocation,2,Gets the hard-coded portal location to use when entering this dimension. +func_76555_c,createChunkGenerator,2,Returns a new chunk provider which generates chunks for this world +func_76556_a,generateLightBrightnessTable,2,Creates the light to brightness table +func_76557_i,getAverageGroundLevel,2, +func_76558_a,registerWorld,2,"associate an existing world with a World provider, and setup its lightbrightness table" +func_76559_b,getMoonPhase,2, +func_76560_a,calcSunriseSunsetColors,2,Returns array with sunrise/sunset colors +func_76561_g,isSkyColored,2, +func_76562_b,getFogColor,2,Return Vec3D with biome specific fog color +func_76563_a,calculateCelestialAngle,2,Calculates the angle of sun and moon in the sky relative to a specified time (usually worldTime) +func_76564_j,getWorldHasVoidParticles,2,returns true if this dimension is supposed to display void particles and pull in the far plane based on the user's Y offset. +func_76565_k,getVoidFogYFactor,2,"Returns a double value representing the Y value relative to the top of the map at which void fog is at its maximum. The default factor of 0.03125 relative to 256, for example, means the void fog will be at its maximum at (256*0.03125), or 8." +func_76566_a,canCoordinateBeSpawn,2,"Will check if the x, z position specified is alright to be set as the map spawn point" +func_76567_e,canRespawnHere,2,"True if the player can respawn in this dimension (true = overworld, false = nether)." +func_76568_b,doesXZShowFog,2,"Returns true if the given X,Z coordinate should show environmental fog." +func_76569_d,isSurfaceWorld,2,"Returns 'true' if in the ""main surface world"", but 'false' if in the Nether or End dimensions." +func_76570_a,getProviderForDimension,2, +func_76571_f,getCloudHeight,2,the y level at which clouds are rendered. +func_76572_b,registerWorldChunkManager,2,creates a new world chunk manager for WorldProvider +func_76581_a,set,2,"Arguments are x, y, z, val. Sets the nibble of data at x << 11 | z << 7 | y to val." +func_76582_a,get,2,"Returns the nibble of data corresponding to the passed in x, y, z. y is at most 6 bits, z is at most 4." +func_76586_k,updateSkylight,2,"Checks whether skylight needs updated; if it does, calls updateSkylight_do" +func_76587_i,getBlockStorageArray,2,Returns the ExtendedBlockStorage array for this Chunk. +func_76588_a,getEntitiesWithinAABBForEntity,2,"Fills the given list of all entities that intersect within the given bounding box that aren't the passed entity Args: entity, aabb, listToFill" +func_76589_b,setBlockMetadata,2,Set the metadata of a block in the chunk +func_76590_a,generateHeightMap,2,Generates the height map for a chunk from scratch +func_76591_a,getBiomeGenForWorldCoords,2,This method retrieves the biome at a set of coordinates +func_76592_a,setBlockIDWithMetadata,2,"Sets a blockID of a position within a chunk with metadata. Args: x, y, z, blockID, metadata" +func_76593_q,updateSkylight_do,2,Runs delayed skylight updates. +func_76594_o,enqueueRelightChecks,2,"Called once-per-chunk-per-tick, and advances the round-robin relight check index per-storage-block by up to 8 blocks at a time. In a worst-case scenario, can potentially take up to 1.6 seconds, calculated via (4096/(8*16))/20, to re-check all blocks in a chunk, which could explain both lagging light updates in certain cases as well as Nether relight" +func_76595_e,propagateSkylightOcclusion,2,Propagates a given sky-visible block's light value downward and upward to neighboring blocks as necessary. +func_76596_b,getBlockLightOpacity,2, +func_76597_e,getChunkBlockTileEntity,2,Gets the TileEntity for a given block in this chunk +func_76599_g,checkSkylightNeighborHeight,2,Checks the height of a block next to a sky-visible block and schedules a lighting update as necessary. +func_76600_a,isAtLocation,2,Checks whether the chunk is at the X/Z location specified +func_76601_a,needsSaving,2,Returns true if this Chunk needs to be saved +func_76602_a,setStorageArrays,2, +func_76603_b,generateSkylightMap,2,Generates the initial skylight map for the chunk upon generation or load. +func_76604_a,setChunkBlockTileEntity,2,Sets the TileEntity for a given block in this chunk +func_76605_m,getBiomeArray,2,Returns an array containing a 16x16 mapping on the X/Z of block positions in this Chunk to biome IDs. +func_76606_c,getAreLevelsEmpty,2,Returns whether the ExtendedBlockStorages containing levels (in blocks) from arg 1 to arg 2 are fully empty (true) or not (false). +func_76607_a,fillChunk,2,Initialise this chunk with new binary data +func_76608_a,removeEntityAtIndex,2,Removes entity at the specified index from the entity array. +func_76609_d,updateSkylightNeighborHeight,2, +func_76610_a,getBlockID,2,Return the ID of a block in the chunk. +func_76611_b,getHeightValue,2,"Returns the value in the height map at this x, z coordinate in the chunk" +func_76612_a,addEntity,2,Adds an entity to the chunk. Args: entity +func_76613_n,resetRelightChecks,2,Resets the relight check index to 0 for this Chunk. +func_76614_a,getSavedLightValue,2,Gets the amount of light saved in this block (doesn't adjust for daylight) +func_76615_h,relightBlock,2,Initiates the recalculation of both the block-light and sky-light for a given block inside a chunk. +func_76616_a,setBiomeArray,2,Accepts a 256-entry array that contains a 16x16 mapping on the X/Z plane of block positions in this Chunk to biome IDs. +func_76617_a,getRandomWithSeed,2, +func_76618_a,getEntitiesOfTypeWithinAAAB,2,"Gets all entities that can be assigned to the specified class. Args: entityClass, aabb, listToFill" +func_76619_d,canBlockSeeTheSky,2,Returns whether is not a block above this one blocking sight to the sky (done via checking against the heightmap) +func_76620_a,addTileEntity,2,Adds a TileEntity to a chunk +func_76621_g,isEmpty,2, +func_76622_b,removeEntity,2,removes entity using its y chunk coordinate as its index +func_76623_d,onChunkUnload,2,Called when this Chunk is unloaded by the ChunkProvider +func_76624_a,populateChunk,2, +func_76625_h,getTopFilledSegment,2,Returns the topmost ExtendedBlockStorage instance for this Chunk that actually contains a block. +func_76626_d,getPrecipitationHeight,2,Gets the height to which rain/snow will fall. Calculates it if not already stored. +func_76627_f,removeChunkBlockTileEntity,2,Removes the TileEntity for a given block in this chunk +func_76628_c,getBlockMetadata,2,Return the metadata corresponding to the given coordinates inside a chunk. +func_76629_c,getBlockLightValue,2,Gets the amount of light on a block taking into account sunlight +func_76630_e,setChunkModified,2,Sets the isModified flag for this Chunk +func_76631_c,onChunkLoad,2,Called when this Chunk is loaded by the ChunkProvider +func_76632_l,getChunkCoordIntPair,2,Gets a ChunkCoordIntPair representing the Chunk's position. +func_76633_a,setLightValue,2,"Sets the light value at the coordinate. If enumskyblock is set to sky it sets it in the skylightmap and if its a block then into the blocklightmap. Args enumSkyBlock, x, y, z, lightValue" +func_76654_b,setExtBlockMetadata,2,Sets the metadata of the Block at the given coordinates in this ExtendedBlockStorage to the given metadata. +func_76655_a,setExtBlockID,2,"Sets the extended block ID for a location in a chunk, splitting bits 11..8 into a NibbleArray and bits 7..0 into a byte array. Also performs reference counting to determine whether or not to broadly cull this Chunk from the random-update tick list." +func_76656_a,getExtBlockID,2,"Returns the extended block ID for a location in a chunk, merged from a byte array and a NibbleArray to form a full 12-bit block ID." +func_76657_c,setExtSkylightValue,2,Sets the saved Sky-light value in the extended block storage structure. +func_76658_g,getBlockLSBArray,2, +func_76659_c,setBlocklightArray,2,Sets the NibbleArray instance used for Block-light values in this particular storage block. +func_76660_i,getBlockMSBArray,2,Returns the block ID MSB (bits 11..8) array for this storage array's Chunk. +func_76661_k,getBlocklightArray,2,Returns the NibbleArray instance containing Block-light data. +func_76662_d,getYLocation,2,Returns the Y location of this ExtendedBlockStorage. +func_76663_a,isEmpty,2,"Returns whether or not this block storage's Chunk is fully empty, based on its internal reference count." +func_76664_a,setBlockLSBArray,2,Sets the array of block ID least significant bits for this ExtendedBlockStorage. +func_76665_b,getExtBlockMetadata,2,Returns the metadata associated with the block at the given coordinates in this ExtendedBlockStorage. +func_76666_d,setSkylightArray,2,Sets the NibbleArray instance used for Sky-light values in this particular storage block. +func_76667_m,createBlockMSBArray,2,Called by a Chunk to initialize the MSB array if getBlockMSBArray returns null. Returns the newly-created NibbleArray instance. +func_76668_b,setBlockMetadataArray,2,Sets the NibbleArray of block metadata (blockMetadataArray) for this ExtendedBlockStorage. +func_76669_j,getMetadataArray,2, +func_76670_c,getExtSkylightValue,2,Gets the saved Sky-light value in the extended block storage structure. +func_76671_l,getSkylightArray,2,Returns the NibbleArray instance containing Sky-light data. +func_76672_e,removeInvalidBlocks,2, +func_76673_a,setBlockMSBArray,2,Sets the array of blockID most significant bits (blockMSBArray) for this ExtendedBlockStorage. +func_76674_d,getExtBlocklightValue,2,Gets the saved Block-light value in the extended block storage structure. +func_76675_b,getNeedsRandomTick,2,"Returns whether or not this block storage's Chunk will require random ticking, used to avoid looping through random block ticks when there are no blocks that would randomly tick." +func_76676_h,clearMSBArray,2, +func_76677_d,setExtBlocklightValue,2,Sets the saved Block-light value in the extended block storage structure. +func_76686_a,get,2, +func_76690_a,convertToAnvilFormat,2, +func_76691_a,load,2, +func_76704_a,getChunkDataInputStream,2,"args: x, y - get uncompressed chunk stream from the region file" +func_76705_d,outOfBounds,2,"args: x, z - check region bounds" +func_76706_a,write,2,"args: x, z, data, length - write chunk data at (x, z) to disk" +func_76707_e,getOffset,2,"args: x, y - get chunk's offset in region file" +func_76708_c,close,2,close this RegionFile and prevent further writes +func_76709_c,isChunkSaved,2,"args: x, z, - true if chunk has been saved / converted" +func_76710_b,getChunkDataOutputStream,2,"args: x, z - get an output stream used to write chunk data, data is on disk when the returned stream is closed" +func_76711_a,setOffset,2,"args: x, z, offset - sets the chunk's offset in the region file" +func_76712_a,write,2,"args: sectorNumber, data, length - write the chunk data to this RegionFile" +func_76713_b,setChunkTimestamp,2,"args: x, z, timestamp - sets the chunk's write timestamp" +func_76725_b,setMinMaxHeight,2,Sets the minimum and maximum height of this biome. Seems to go from -2.0 to 2.0. +func_76726_l,getBiomeFoliageColor,2,Provides the basic foliage color based on the biome temperature and rainfall +func_76727_i,getFloatRainfall,2,Gets a floating point representation of this biome's rainfall +func_76728_a,decorate,2, +func_76729_a,createBiomeDecorator,2,Allocate a new BiomeDecorator for this BiomeGenBase +func_76730_b,getRandomWorldGenForGrass,2,Gets a WorldGen appropriate for this biome. +func_76731_a,getSkyColorByTemp,2,"takes temperature, returns color" +func_76732_a,setTemperatureRainfall,2,Sets the temperature and rainfall of this biome. +func_76734_h,getIntTemperature,2,Gets an integer representation of this biome's temperature +func_76735_a,setBiomeName,2, +func_76736_e,isHighHumidity,2,Checks to see if the rainfall level of the biome is extremely high +func_76737_k,getBiomeGrassColor,2,Provides the basic grass color based on the biome temperature and rainfall +func_76738_d,canSpawnLightningBolt,2,"Return true if the biome supports lightning bolt spawn, either by have the bolts enabled and have rain enabled." +func_76739_b,setColor,2, +func_76740_a,getRandomWorldGenForTrees,2,Gets a WorldGen appropriate for this biome. +func_76741_f,getSpawningChance,2,returns the chance a creature has to spawn. +func_76742_b,setEnableSnow,2,sets enableSnow to true during biome initialization. returns BiomeGenBase. +func_76743_j,getFloatTemperature,2,Gets a floating point representation of this biome's temperature +func_76744_g,getIntRainfall,2,Gets an integer representation of this biome's rainfall +func_76745_m,setDisableRain,2,Disable the rain for the biome. +func_76746_c,getEnableSnow,2,Returns true if the biome have snowfall instead a normal rain. +func_76747_a,getSpawnableList,2,Returns the correspondent list of the EnumCreatureType informed. +func_76793_b,genStandardOre2,2,Standard ore generation helper. Generates Lapis Lazuli. +func_76794_a,decorate,2,The method that does the work of actually decorating chunks +func_76795_a,genStandardOre1,2,Standard ore generation helper. Generates most ores. +func_76796_a,decorate,2,Decorates the world. Calls code that was formerly (pre-1.8) in ChunkProviderGenerate.populate +func_76797_b,generateOres,2,Generates ores in the current chunk +func_76836_a,getChunkManager,2,Get the world chunk manager object for a biome list. +func_76837_b,getBiomeGenAt,2,"Returns the BiomeGenBase related to the x, z position from the cache." +func_76838_a,cleanupCache,2,Removes BiomeCacheBlocks from this cache that haven't been accessed in at least 30 seconds. +func_76839_e,getCachedBiomes,2,Returns the array of cached biome types in the BiomeCacheBlock at the given location. +func_76840_a,getBiomeCacheBlock,2,Returns a biome cache block at location specified. +func_76885_a,getBiomeGenAt,2,"Returns the BiomeGenBase related to the x, z position from the cache block." +func_76893_a,setTileEntityRenderer,2,Associate a TileEntityRenderer with this TileEntitySpecialRenderer +func_76894_a,renderTileEntityAt,2, +func_76895_b,getFontRenderer,2, +func_76896_a,onWorldChange,2,"Called when the ingame world being rendered changes (e.g. on world -> nether travel) due to using one renderer per tile entity type, rather than instance" +func_76897_a,bindTextureByName,2,Binds a texture to the renderEngine given a filename from the JAR. +func_76899_a,renderEnderChest,2,Helps to render Ender Chest. +func_76901_a,renderTileEntityEnchantmentTableAt,2, +func_76903_a,renderPiston,2, +func_76905_a,renderTileEntityMobSpawner,2, +func_76906_a,renderEndPortalTileEntity,2,Renders the End Portal. +func_76909_a,renderTileEntitySignAt,2, +func_76911_a,renderTileEntityChestAt,2,Renders the TileEntity for the chest at a position. +func_76916_f,getBlockID,2,Gets the BlockID for this BlockEventData +func_76917_e,getEventParameter,2,"Get the Event Parameter (different for each BlockID,EventID)" +func_76918_d,getEventID,2,Get the Event ID (different for each BlockID) +func_76919_a,getX,2,Get the X coordinate. +func_76920_c,getZ,2,Get the Z coordinate. +func_76921_b,getY,2,Get the Y coordinate. +func_76931_a,getBiomeGenAt,2,"Return a list of biomes for the specified blocks. Args: listToReuse, x, y, width, length, cacheFlag (if false, don't check biomeCache to avoid infinite loop in BiomeCacheBlock)" +func_76932_a,getBiomesToSpawnIn,2,Gets the list of valid biomes for the player to spawn in. +func_76933_b,loadBlockGeneratorData,2,"Returns biomes to use for the blocks and loads the other data like temperature and humidity onto the WorldChunkManager Args: oldBiomeList, x, z, width, depth" +func_76934_b,getTemperatures,2,"Returns a list of temperatures to use for the specified blocks. Args: listToReuse, x, y, width, length" +func_76935_a,getBiomeGenAt,2,"Returns the BiomeGenBase related to the x, z position on the world." +func_76936_a,getRainfall,2,"Returns a list of rainfall values for the specified blocks. Args: listToReuse, x, z, width, length." +func_76937_a,getBiomesForGeneration,2,Returns an array of biomes for the location input. +func_76938_b,cleanupCache,2,Calls the WorldChunkManager's biomeCache.cleanupCache() +func_76939_a,getTemperatureAtHeight,2,Return an adjusted version of a given temperature based on the y height +func_76940_a,areBiomesViable,2,checks given Chunk's Biomes against List of allowed ones +func_76941_a,findBiomePosition,2,"Finds a valid position within a range, that is in one of the listed biomes. Searches {par1,par2} +-par3 blocks. Strongly favors positive y positions." +func_76949_a,renderTileEntityAt,2,Render this TileEntity at a given set of coordinates +func_76950_a,renderTileEntity,2,Render this TileEntity at its current position from the player +func_76951_a,getSpecialRendererForClass,2,"Returns the TileEntitySpecialRenderer used to render this TileEntity class, or null if it has no special renderer" +func_76952_a,hasSpecialRenderer,2,"Returns true if this TileEntity instance has a TileEntitySpecialRenderer associated with it, false otherwise." +func_76953_a,cacheActiveRenderInfo,2,"Caches several render-related references, including the active World, RenderEngine, FontRenderer, and the camera-bound EntityLiving's interpolated pitch, yaw and position. Args: world, renderengine, fontrenderer, entityliving, partialTickTime" +func_76954_a,getFontRenderer,2, +func_76955_a,setWorld,2,Sets the world used by all TileEntitySpecialRender instances and notifies them of this change. +func_76956_b,getSpecialRendererForEntity,2,"Returns the TileEntitySpecialRenderer used to render this TileEntity instance, or null if it has no special renderer" +func_76971_a,getMinecraftIsModded,2,Gets if your Minecraft is Modded. +func_76973_a,getType,2, +func_76975_c,renderShadow,2,"Renders the entity shadows at the position, shadow alpha and partialTickTime. Args: entity, x, y, z, shadowAlpha, partialTickTime" +func_76976_a,setRenderManager,2,Sets the RenderManager. +func_76977_a,renderEntityOnFire,2,"Renders fire on top of the entity. Args: entity, x, y, z, partialTickTime" +func_76978_a,renderOffsetAABB,2,"Renders a white box with the bounds of the AABB translated by the offset. Args: aabb, x, y, z" +func_76979_b,doRenderShadowAndFire,2,"Renders the entity's shadow and fire (if its on fire). Args: entity, x, y, z, yaw, partialTickTime" +func_76980_a,renderAABB,2,Adds to the tesselator a box using the aabb for the bounds. Args: aabb +func_76981_a,renderShadowOnBlock,2,"Renders a shadow projected down onto the specified block. Brightness of the block plus how far away on the Y axis determines the alpha of the shadow. Args: block, centerX, centerY, centerZ, blockX, blockY, blockZ, baseAlpha, shadowSize, xOffset, yOffset, zOffset" +func_76982_b,getWorldFromRenderManager,2,Returns the render manager's world object +func_76983_a,getFontRendererFromRenderManager,2,Returns the font renderer from the set render manager +func_76984_a,loadDownloadableImageTexture,2,loads the specified downloadable texture or alternative built in texture +func_76985_a,loadTexture,2,loads the specified texture +func_76986_a,doRender,2,"Actually renders the given argument. This is a synthetic bridge method, always casting down its argument and then handing it off to a worker function which does the actual work. In all probabilty, the class Render is generic (Render of file/directories in the texture pack directory. +func_77301_a,isDownloading,2, +func_77302_a,generateTexturePackID,2,"Generate an internal texture pack ID from the file/directory name, last modification time, and file size. Returns null if the file/directory is not a texture pack." +func_77303_a,setSelectedTexturePack,2,Set the selectedTexturePack field (Inner class static accessor method). +func_77304_b,onDownloadFinished,2,Called from Minecraft.loadWorld() if getIsDownloading() returned true to prepare the downloaded texture for usage. +func_77305_c,updateAvaliableTexturePacks,2,check the texture packs the client has installed +func_77306_b,getMinecraft,2, +func_77307_h,createTexturePackDirs,2,"Create the ""texturepacks"" and ""texturepacks-mp-cache"" directories if they don't already exist." +func_77316_c,getTranslatedName,2,Returns the correct traslated name of the enchantment and the level in roman numbers. +func_77317_b,getMaxEnchantability,2,Returns the maximum value of enchantability nedded on the enchantment level passed. +func_77318_a,calcModifierDamage,2,Calculates de damage protection of the enchantment based on level and damage source passed. +func_77319_d,getMinLevel,2,Returns the minimum level that the enchantment can have. +func_77320_a,getName,2,Return the name of key in translation table of this enchantment. +func_77321_a,getMinEnchantability,2,Returns the minimal value of enchantability needed on the enchantment level passed. +func_77322_b,setName,2,Sets the enchantment name +func_77323_a,calcModifierLiving,2,Calculates de (magic) damage done by the enchantment on a living entity based on level and entity passed. +func_77324_c,getWeight,2, +func_77325_b,getMaxLevel,2,Returns the maximum level that the enchantment can have. +func_77326_a,canApplyTogether,2,Determines if the enchantment passed can be applyied together with this enchantment. +func_77363_d,tryToSetLibraryAndCodecs,2,"Tries to add the paulscode library and the relevant codecs. If it fails, the volumes (sound and music) will be set to zero in the options file." +func_77364_b,playSound,2,"Plays a sound. Args: soundName, x, y, z, volume, pitch" +func_77365_c,addMusic,2,Adds an audio file to the music SoundPool. +func_77366_a,playSoundFX,2,Plays a sound effect with the volume and pitch of the parameters passed. The sound isn't affected by position of the player (full volume and center balanced) +func_77367_a,onSoundOptionsChanged,2,Called when one of the sound level options has changed. +func_77368_a,playStreaming,2, +func_77369_a,setListener,2,Sets the listener of sounds +func_77370_b,closeMinecraft,2,Called when Minecraft is closing down. +func_77371_c,playRandomMusicIfReady,2,If its time to play new music it starts it up. +func_77372_a,addSound,2,"Adds a sounds with the name from the file. Args: name, file" +func_77373_a,loadSoundSettings,2,Used for loading sound settings from GameSettings +func_77374_b,addStreaming,2,Adds an audio file to the streaming SoundPool. +func_77390_a,readFromTags,2, +func_77391_b,hasSameItemsAs,2,checks first and second ItemToBuy ID's and count. Calls hasSameIDs +func_77393_a,hasSameIDsAs,2,checks if both the first and second ItemToBuy IDs are the same +func_77394_a,getItemToBuy,2,Gets the itemToBuy. +func_77395_g,writeToTags,2, +func_77396_b,getSecondItemToBuy,2,Gets secondItemToBuy. +func_77397_d,getItemToSell,2,Gets itemToSell. +func_77398_c,hasSecondItemToBuy,2,Gets if Villager has secondItemToBuy. +func_77399_f,incrementToolUses,2, +func_77404_a,getPlayerEntities,2,Returns the size and contents of the player entity list. +func_77406_a,setBusy,2, +func_77409_e,getUnsentDataFile,2, +func_77415_f,getUnsentTempFile,2, +func_77418_a,beginSendStats,2,Attempts to begin sending stats to the server. Will throw an IllegalStateException if the syncher is already busy. +func_77420_c,syncStatsFileWithMap,2, +func_77423_b,beginReceiveStats,2,Attempts to begin receiving stats from the server. Will throw an IllegalStateException if the syncher is already busy. +func_77424_g,getUnsentOldFile,2, +func_77439_a,getChunkProvider,2,Returns the result of the ChunkProvider's makeString +func_77442_b,canUnlockAchievement,2,"Returns true if the parent has been unlocked, or there is no parent" +func_77443_a,hasAchievementUnlocked,2,Returns true if the achievement has been unlocked. +func_77444_a,writeStat,2, +func_77446_d,syncStats,2, +func_77447_a,writeStats,2,write a whole Map of stats to the statmap +func_77450_a,readStat,2, +func_77451_a,writeStatToMap,2, +func_77458_a,getRandomSoundFromSoundPool,2,"gets a random sound from the specified (by name, can be sound/newsound/streaming/music/newmusic) sound pool." +func_77459_a,addSound,2,Adds a sound to this sound pool. +func_77460_a,getRandomSound,2,Gets a random SoundPoolEntry. +func_77466_a,getFoliageColorPine,2,Gets the foliage color for pine type (metadata 1) trees +func_77467_a,setFoliageBiomeColorizer,2, +func_77468_c,getFoliageColorBasic,2, +func_77469_b,getFoliageColorBirch,2,Gets the foliage color for birch type (metadata 2) trees +func_77470_a,getFoliageColor,2,"Gets foliage color from temperature and humidity. Args: temperature, humidity" +func_77472_b,setClientActiveTexture,2,Sets the current lightmap texture to the specified OpenGL constant +func_77473_a,setActiveTexture,2,Sets the current lightmap texture to the specified OpenGL constant +func_77474_a,initializeTextures,2,Initializes the texture constants to be used when rendering lightmap values +func_77475_a,setLightmapTextureCoords,2,Sets the current coordinates of the given lightmap texture +func_77479_a,setGrassBiomeColorizer,2, +func_77480_a,getGrassColor,2,"Gets grass color from temperature and humidity. Args: temperature, humidity" +func_77484_a,getWorldEntitiesAsString,2, +func_77487_a,getServerMotd,2, +func_77488_b,getServerIpPort,2, +func_77489_c,updateLastSeen,2,Updates the time this LanServer was last seen. +func_77493_a,calculateModifier,2,Generic method use to calculate modifiers of offensive or defensive enchantment values. +func_77501_a,getRespiration,2,Returns the 'Water Breathing' modifier of enchantments on player equipped armors. +func_77502_d,getSilkTouchModifier,2,Returns the silk touch status of enchantments on current equipped item of player. +func_77504_a,addRandomEnchantment,2,"Adds a random enchantment to the specified item. Args: random, itemStack, enchantabilityLevel" +func_77505_b,mapEnchantmentData,2,Creates a 'Map' of EnchantmentData (enchantments) possible to add on the ItemStack and the enchantability level passed. +func_77506_a,getEnchantmentLevel,2,Returns the level of enchantment on the ItemStack passed. +func_77507_b,getKnockbackModifier,2,Returns the knockback value of enchantments on equipped player item. +func_77508_a,getEnchantmentModifierDamage,2,Returns the modifier of protection enchantments on armors equipped on player. +func_77509_b,getEfficiencyModifier,2,Return the extra efficiency of tools based on enchantments on equipped player item. +func_77510_g,getAquaAffinityModifier,2,Returns the aqua affinity status of enchantments on current equipped item of player. +func_77511_a,getMaxEnchantmentLevel,2,Returns the biggest level of the enchantment on the array of ItemStack passed. +func_77512_a,getEnchantmentModifierLiving,2,Return the (magic) extra damage of the enchantments on player equipped item. +func_77513_b,buildEnchantmentList,2,"Create a list of random EnchantmentData (enchantments) that can be added together to the ItemStack, the 3rd parameter is the total enchantability level." +func_77514_a,calcItemStackEnchantability,2,"Returns the enchantability of itemstack, it's uses a singular formula for each index (2nd parameter: 0, 1 and 2), cutting to the max enchantability power of the table (3rd parameter)" +func_77516_a,applyEnchantmentModifierArray,2,Executes the enchantment modifier on the array of ItemStack passed. +func_77517_e,getFortuneModifier,2,Returns the fortune enchantment modifier of the current equipped item of player. +func_77518_a,applyEnchantmentModifier,2,Executes the enchantment modifier on the ItemStack passed. +func_77519_f,getLootingModifier,2,Returns the looting enchantment modifier of the current equipped item of player. +func_77523_b,getAdFromPingResponse,2, +func_77524_a,getMotdFromPingResponse,2, +func_77525_a,getPingResponse,2, +func_77531_d,getFirstDescriptionLine,2,Get the first line of the texture pack description (read from the pack.txt file) +func_77532_a,getResourceAsStream,2,Gives a texture resource as InputStream. +func_77533_a,deleteTexturePack,2,"Delete the OpenGL texture id of the pack's thumbnail image, and close the zip file in case of TexturePackCustom." +func_77535_b,bindThumbnailTexture,2,"Bind the texture id of the pack's thumbnail image, loading it if necessary." +func_77536_b,getTexturePackID,2,Get the texture pack ID +func_77537_e,getSecondDescriptionLine,2,Get the second line of the texture pack description (read from the pack.txt file) +func_77538_c,getTexturePackFileName,2,"Get the file name of the texture pack, or Default if not from a custom texture pack" +func_77539_g,loadThumbnailImage,2,Load and initialize thumbnailImage from the the /pack.png file. +func_77540_a,loadDescription,2,Load texture pack description from /pack.txt file in the texture pack +func_77541_b,trimStringToGUIWidth,2,Truncate strings to at most 34 characters. Truncates description lines +func_77549_g,openTexturePackFile,2,Open the texture pack's file and initialize texturePackZipFile +func_77552_b,setWasNotUpdated,2, +func_77553_a,getWasUpdated,2, +func_77554_c,getLanServers,2, +func_77557_a,canEnchantItem,2,Return true if the item passed can be enchanted by a enchantment of this type. +func_77569_a,matches,2,Used to check if a recipe matches current crafting inventory +func_77570_a,getRecipeSize,2,Returns the size of the recipe area +func_77571_b,getRecipeOutput,2, +func_77572_b,getCraftingResult,2,Returns an Item that is the result of this recipe +func_77573_a,checkMatch,2,Checks if the region of a crafting inventory is match for the recipe. +func_77581_a,compareRecipes,2, +func_77583_a,addRecipes,2,Adds the weapon recipes to the CraftingManager. +func_77586_a,addRecipes,2,Adds the tool recipes to the CraftingManager. +func_77589_a,addRecipes,2,Adds the crafting recipes to the CraftingManager. +func_77590_a,addRecipes,2,Adds the ingot recipes to the CraftingManager. +func_77592_b,getRecipeList,2,returns the List<> of all recipes +func_77594_a,getInstance,2,Returns the static instance of this class +func_77596_b,addShapelessRecipe,2, +func_77599_b,getSmeltingList,2, +func_77600_a,addSmelting,2,Adds a smelting recipe. +func_77601_c,getExperience,2, +func_77602_a,smelting,2,Used to call methods addSmelting and getSmeltingResult. +func_77603_b,getSmeltingResult,2,Returns the smelting result of an item. +func_77607_a,addRecipes,2,Adds the dye recipes to the CraftingManager. +func_77608_a,addRecipes,2,Adds the food recipes to the CraftingManager. +func_77609_a,addRecipes,2,Adds the armor recipes to the CraftingManager. +func_77612_l,getMaxDamage,2,Returns the maximum damage an item can take. +func_77613_e,getRarity,2,Return an item rarity from EnumRarity +func_77614_k,getHasSubtypes,2, +func_77615_a,onPlayerStoppedUsing,2,"called when the player releases the use item button. Args: itemstack, world, entityplayer, itemInUseCount" +func_77616_k,isItemTool,2,Checks isDamagable and if it cannot be stacked +func_77617_a,getIconFromDamage,2,Gets an icon index based on an item's damage value +func_77618_c,getIconFromDamageForRenderPass,2,Gets an icon index based on an item's damage value and the given render pass +func_77619_b,getItemEnchantability,2,"Return the enchantability factor of the item, most of the time is based on material." +func_77620_a,getColorFromDamage,2, +func_77621_a,getMovingObjectPositionFromPlayer,2, +func_77622_d,onCreated,2,Called when item is crafted/smelted. Used only by maps so far. +func_77623_v,requiresMultipleRenderPasses,2, +func_77624_a,addInformation,2,allows items to add custom lines of information to the mouseover description +func_77625_d,setMaxStackSize,2, +func_77626_a,getMaxItemUseDuration,2,How long it takes to use or consume an item +func_77627_a,setHasSubtypes,2, +func_77628_j,getItemDisplayName,2, +func_77629_n_,shouldRotateAroundWhenRendering,2,Returns true if this item should be rotated by 180 degrees around the Y axis when being held in an entities hands. +func_77630_h,doesContainerItemLeaveCraftingGrid,2,"If this returns true, after a recipe involving this item is crafted the container item will be added to the player's inventory instead of remaining in the crafting grid." +func_77631_c,setPotionEffect,2,Sets the string representing this item's effect on a potion when used as an ingredient. +func_77632_u,isPotionIngredient,2,Returns true if this item serves as a potion ingredient (its ingredient information is not null). +func_77633_a,getSubItems,2,"returns a list of items with the same ID, but different meta (eg: dye returns 16 items)" +func_77634_r,hasContainerItem,2,True if this Item has a container item (a.k.a. crafting result) +func_77635_s,getStatName,2, +func_77636_d,hasEffect,2, +func_77637_a,setCreativeTab,2,returns this; +func_77638_a,getStrVsBlock,2,"Returns the strength of the stack against a given block. 1.0F base, (Quality+1)*2 if correct blocktype, 1.5F if sword" +func_77639_j,getItemStackLimit,2,Returns the maximum size of the stack for a specific item. *Isn't this more a Set than a Get?* +func_77640_w,getCreativeTab,2,gets the CreativeTab this item is displayed on +func_77641_a,canHarvestBlock,2,Returns if the item (tool) can harvest results from the block type. +func_77642_a,setContainerItem,2, +func_77643_m_,isMap,2,false for all Items except sub-classes of ItemMapBase +func_77644_a,hitEntity,2,Current implementations of this method in child classes do not use the entry argument beside ev. They just raise the damage on the stack. +func_77645_m,isDamageable,2, +func_77646_a,itemInteractionForEntity,2,Called when a player right clicks an entity with an item. +func_77647_b,getMetadata,2,Returns the metadata of the block which this Item (ItemBlock) can place +func_77648_a,onItemUse,2,"Callback for item usage. If the item does something special on right clicking, he will have one of those. Return True if something happen and false if it don't. This is for ITEMS, not BLOCKS" +func_77649_a,getDamageVsEntity,2,Returns the damage against a given entity. +func_77650_f,getIconIndex,2,Returns the icon index of the stack given as argument. +func_77651_p,getShareTag,2,"If this function returns true (or the item is damageable), the ItemStack's NBT tag will be sent to the client." +func_77654_b,onEaten,2, +func_77655_b,setUnlocalizedName,2,"Sets the unlocalized name of this item to the string passed as the parameter, prefixed by ""item.""" +func_77656_e,setMaxDamage,2,set max damage of an Item +func_77657_g,getLocalizedName,2,Gets the localized name of the given item stack. +func_77658_a,getUnlocalizedName,2,Returns the unlocalized name of this item. +func_77659_a,onItemRightClick,2,"Called whenever this item is equipped and the right mouse button is pressed. Args: itemStack, world, entityPlayer" +func_77660_a,onBlockDestroyed,2, +func_77661_b,getItemUseAction,2,returns the action that specifies what animation to play when the items is being used +func_77662_d,isFull3D,2,Returns True is the item is renderer in full 3D when hold. +func_77663_a,onUpdate,2,Called each tick as long the item is on a player inventory. Uses by maps to check if is on a player hand and update it's contents. +func_77664_n,setFull3D,2,Sets bFull3D to True and return the object. +func_77666_t,getPotionEffect,2,Returns a string representing what this item does to a potion. +func_77667_c,getUnlocalizedName,2,Returns the unlocalized name of this item. This version accepts an ItemStack so different stacks can have different names based on their damage or NBT. +func_77668_q,getContainerItem,2, +func_77825_f,getToolMaterialName,2,Return the name for this tool's material. +func_77828_a,validBookTagContents,2, +func_77829_a,validBookTagPages,2, +func_77831_g,isSplash,2,returns wether or not a potion is a throwable splash potion based on damage value +func_77832_l,getEffects,2,Returns a list of potion effects for the specified itemstack. +func_77833_h,isEffectInstant,2, +func_77834_f,getEffects,2,Returns a list of effects for the specified potion damage value. +func_77840_a,spawnCreature,2,"Spawns the creature specified by the egg's type in the location specified by the last three parameters. Parameters: world, entityID, x, y, z." +func_77842_f,getMaterialName,2,"Returns the name of the material this tool is made from as it is declared in EnumToolMaterial (meaning diamond would return ""EMERALD"")" +func_77844_a,setPotionEffect,2,"sets a potion effect on the item. Args: int potionId, int duration (will be multiplied by 20), int amplifier, float probability of effect happening" +func_77845_h,isWolfsFavoriteMeat,2,Whether wolves like this food (true for raw and cooked porkchop). +func_77846_g,getSaturationModifier,2,gets the saturationModifier of the ItemFood +func_77847_f,getHealAmount,2, +func_77848_i,setAlwaysEdible,2,"Set the field 'alwaysEdible' to true, and make the food edible even if the player don't need to eat." +func_77849_c,onFoodEaten,2, +func_77861_e,getToolMaterialName,2,Return the name for this tool's material. +func_77869_a,placeDoorBlock,2, +func_77871_c,createMapDataPacket,2,returns null if no update is to be sent +func_77872_a,updateMapData,2, +func_77873_a,getMapData,2, +func_77874_a,getMPMapData,2, +func_77875_a,tryPlaceContainedLiquid,2,Attempts to place the liquid contained inside the bucket. +func_77877_c,getMaxDamageArray,2,"Returns the 'max damage' factor array for the armor, each piece of armor have a durability factor (that gets multiplied by armor material factor)" +func_77883_f,getBlockID,2,Returns the blockID for this Item +func_77884_a,canPlaceItemBlockOnSide,2,Returns true if the given ItemBlock can be placed on the given side of the given block position. +func_77894_a,setBlockNames,2,Sets the array of strings to be used for name lookups from item damage to metadata +func_77906_a,brewBitOperations,2,"Does bit operations for brewPotionData, given data, the index of the bit being operated upon, whether the bit will be removed, whether the bit will be toggled (NOT), or whether the data field will be set to 0 if the bit is not present." +func_77907_h,countSetFlags,2,Count the number of bits in an integer set to ON. +func_77910_c,isFlagSet,2,"Returns 1 if the flag is set, 0 if it is not set." +func_77911_a,calcPotionLiquidColor,2,Given a {@link Collection}<{@link PotionEffect}> will return an Integer color. +func_77912_a,parsePotionEffects,2, +func_77913_a,applyIngredient,2,"Generate a data value for a potion, given its previous data value and the encoded string of new effects it will receive" +func_77914_a,checkFlag,2,Is the bit given set to 1? +func_77916_d,isFlagUnset,2,"Returns 0 if the flag is set, 1 if it is not set." +func_77917_b,getPotionEffects,2,Returns a list of effects for the specified potion damage value. +func_77941_a,onBlockDestroyed,2, +func_77942_o,hasTagCompound,2,Returns true if the ItemStack has an NBTTagCompound. Currently used to store enchantments. +func_77943_a,tryPlaceItemIntoWorld,2, +func_77944_b,copyItemStack,2,"Creates a copy of a ItemStack, a null parameters will return a null." +func_77945_a,updateAnimation,2,Called each tick as long the ItemStack in on player inventory. Used to progress the pickup animation and update maps. +func_77946_l,copy,2,Returns a new stack with the same properties. +func_77947_a,interactWith,2, +func_77948_v,isItemEnchanted,2,True if the item has enchantment data +func_77949_a,loadItemStackFromNBT,2, +func_77950_b,onFoodEaten,2, +func_77951_h,isItemDamaged,2,returns true when a damageable item is damaged +func_77952_i,getItemDamageForDisplay,2,"gets the damage of an itemstack, for displaying purposes" +func_77953_t,getRarity,2, +func_77954_c,getIconIndex,2,Returns the icon index of the current stack. +func_77955_b,writeToNBT,2,Write the stack fields to a NBT object. Return the new NBT object. +func_77956_u,isItemEnchantable,2,True if it is a tool and has no enchantments to begin with +func_77957_a,useItemRightClick,2,"Called whenever this item stack is equipped and right clicked. Returns the new item stack to put in the position where this item is. Args: world, player" +func_77958_k,getMaxDamage,2,Returns the max damage an item in the stack can take. +func_77959_d,isItemStackEqual,2,compares ItemStack argument to the instance ItemStack; returns true if both ItemStacks are equal +func_77960_j,getItemDamage,2,gets the damage of an itemstack +func_77961_a,hitEntity,2,Calls the corresponding fct in di +func_77962_s,hasEffect,2, +func_77963_c,readFromNBT,2,Read the stack fields from a NBT object. +func_77964_b,setItemDamage,2,Sets the item damage of the ItemStack. +func_77966_a,addEnchantment,2,Adds an enchantment with a desired level on the ItemStack. +func_77967_a,getStrVsBlock,2,Returns the strength of the stack against a given block. +func_77969_a,isItemEqual,2,compares ItemStack argument to the instance ItemStack; returns true if the Items contained in both ItemStacks are equal +func_77970_a,areItemStackTagsEqual,2, +func_77971_a,getDamageVsEntity,2,Returns the damage against a given entity. +func_77972_a,damageItem,2,Damages the item in the ItemStack +func_77973_b,getItem,2,Returns the object corresponding to the stack. +func_77974_b,onPlayerStoppedUsing,2,"Called when the player releases the use item button. Args: world, entityplayer, itemInUseCount" +func_77975_n,getItemUseAction,2, +func_77976_d,getMaxStackSize,2,Returns maximum size of the stack. +func_77977_a,getItemName,2, +func_77978_p,getTagCompound,2,Returns the NBTTagCompound of the ItemStack. +func_77979_a,splitStack,2,Remove the argument from the stack size. Return a new stack object with argument size. +func_77980_a,onCrafting,2, +func_77981_g,getHasSubtypes,2, +func_77982_d,setTagCompound,2,"Assigns a NBTTagCompound to the ItemStack, minecraft validates that only non-stackable items can have it." +func_77983_a,setTagInfo,2, +func_77984_f,isItemStackDamageable,2,true if this itemStack is damageable +func_77985_e,isStackable,2,Returns true if the ItemStack can hold 2 or more units of the item. +func_77986_q,getEnchantmentTagList,2, +func_77987_b,canHarvestBlock,2,Checks if the itemStack object can harvest a specified block +func_77988_m,getMaxItemUseDuration,2, +func_77989_b,areItemStacksEqual,2,compares ItemStack argument1 with ItemStack argument2; returns true if both ItemStacks are equal +func_77995_e,getEnchantability,2,Return the natural enchantability factor of the material. +func_77996_d,getHarvestLevel,2,"The level of material this tool can harvest (3 = DIAMOND, 2 = IRON, 1 = STONE, 0 = IRON/GOLD)" +func_77997_a,getMaxUses,2,"The number of uses this material allows. (wood = 59, stone = 131, iron = 250, diamond = 1561, gold = 32)" +func_77998_b,getEfficiencyOnProperMaterial,2,The strength of this tool material against blocks which it is effective against. +func_78000_c,getDamageVsEntity,2,Damage versus entities. +func_78012_e,getTabIconItemIndex,2,the itemID for the item to be displayed on the tab +func_78013_b,getTabLabel,2, +func_78014_h,setNoTitle,2, +func_78015_f,getBackgroundImageName,2, +func_78016_d,getTabIconItem,2, +func_78017_i,shouldHidePlayerInventory,2, +func_78018_a,displayAllReleventItems,2,only shows items which have tabToDisplayOn == this +func_78019_g,drawInForegroundOfTab,2, +func_78020_k,getTabColumn,2,returns index % 6 +func_78021_a,getTabIndex,2, +func_78022_j,setNoScrollbar,2, +func_78023_l,isTabInFirstRow,2,returns tabIndex < 6 +func_78024_c,getTranslatedTabLabel,2,Gets the translated Label. +func_78025_a,setBackgroundImageName,2, +func_78044_b,getDamageReductionAmount,2,"Return the damage reduction (each 1 point is a half a shield on gui) of the piece index passed (0 = helmet, 1 = plate, 2 = legs and 3 = boots)" +func_78045_a,getEnchantability,2,Return the enchantability factor of the material. +func_78046_a,getDurability,2,Returns the durability for a armor slot of for this type. +func_78057_a,generateRandomEnchantName,2,Generates a random enchant name. +func_78058_a,setRandSeed,2,Sets the seed for the enchant name RNG. +func_78062_a,preUpdate,2, +func_78063_a,update,2, +func_78064_b,setDead,2, +func_78084_a,getTextureOffset,2, +func_78085_a,setTextureOffset,2, +func_78086_a,setLivingAnimations,2,Used for easily adding entity-dependent animations. The second and third float params here are the same second and third as in the setRotationAngles method. +func_78087_a,setRotationAngles,2,"Sets the model's various rotation angles. For bipeds, par1 and par2 are used for animating the movement of arms and legs, where par1 represents the time(so that arms and legs swing back and forth) and par2 represents how ""far"" arms and legs can swing at most." +func_78088_a,render,2,Sets the models various rotation angles then renders the model. +func_78110_b,renderEars,2,"renders the ears (specifically, deadmau5's)" +func_78111_c,renderCloak,2,"Renders the cloak of the current biped (in most cases, it's a player)" +func_78164_a,renderSign,2,Renders the sign model through TileEntitySignRenderer +func_78214_a,updateRotations,2,"Updates the rotations in the parameters for rotations greater than 180 degrees or less than -180 degrees. It adds or subtracts 360 degrees, so that the appearance is the same, although the numbers are then simplified to range -180 to 180" +func_78231_a,renderAll,2,This method renders out all parts of the chest model. +func_78235_a,flipFace,2, +func_78236_a,draw,2, +func_78240_a,setTexturePosition,2, +func_78245_a,render,2,Draw the six sided box defined by this ModelBox +func_78255_a,renderStringAtPos,2,"Render a single line string at the current (posX,posY) and update posX" +func_78256_a,getStringWidth,2,Returns the width of this string. Equivalent of FontMetrics.stringWidth(String s). +func_78257_a,loadGlyphTexture,2,Load one of the /font/glyph_XX.png into a new GL texture and store the texture ID in glyphTextureName array. +func_78258_a,renderString,2,"Render single line string by setting GL color, current (posX,posY), and calling renderStringAtPos()" +func_78259_e,sizeStringToWidth,2,Determines how many characters from the string will fit into the specified width. +func_78260_a,getBidiFlag,2,Get bidiFlag that controls if the Unicode Bidirectional Algorithm should be run before rendering any string +func_78261_a,drawStringWithShadow,2,Draws the specified string with a shadow. +func_78262_a,trimStringToWidth,2,"Trims a string to a specified width, and will reverse it if par3 is set." +func_78263_a,getCharWidth,2,Returns the width of this character as rendered. +func_78264_a,setUnicodeFlag,2,Set unicodeFlag controlling whether strings should be rendered with Unicode fonts instead of the default.png font. +func_78265_b,resetStyles,2,Reset all style flag fields in the class to false; called at the start of string rendering +func_78266_a,renderDefaultChar,2,"Render a single character with the default.png font at current (posX,posY) location..." +func_78267_b,splitStringWidth,2,Returns the width of the wordwrapped String (maximum length is parameter k) +func_78268_b,renderSplitString,2,Perform actual work of rendering a multi-line string with wordwrap and with darker drop shadow color if flag is set +func_78269_a,trimStringToWidth,2,Trims a string to fit a specified Width. +func_78270_c,isFormatSpecial,2,Checks if the char code is O-K...lLrRk-o... used to set special formatting. +func_78271_c,listFormattedStringToWidth,2,Breaks a string into a list of pieces that will fit a specified width. +func_78272_b,isFormatColor,2,"Checks if the char code is a hexadecimal character, used to set colour." +func_78273_d,trimStringNewline,2,Remove all newline characters from the end of the string +func_78274_b,renderStringAligned,2,Render string either left or right aligned depending on bidiFlag +func_78275_b,setBidiFlag,2,Set bidiFlag to control if the Unicode Bidirectional Algorithm should be run before rendering any string. +func_78276_b,drawString,2,Draws the specified string. +func_78277_a,renderUnicodeChar,2,"Render a single Unicode character at current (posX,posY) location using one of the /font/glyph_XX.png files..." +func_78278_a,renderCharAtPos,2,Pick how to render a single character and return the width used. +func_78279_b,drawSplitString,2,Splits and draws a String with wordwrap (maximum length is parameter k) +func_78280_d,wrapFormattedStringToWidth,2,Inserts newline and formatting into a string to wrap it within the specified width. +func_78282_e,getFormatFromString,2,Digests a string for nonprinting formatting characters then returns a string containing only that formatting. +func_78283_c,bidiReorder,2,Apply Unicode Bidirectional Algorithm to string and return a new possibly reordered string for visual rendering. +func_78307_h,findClickedUrl,2, +func_78308_g,getURI,2,computes the URI from the clicked chat data object +func_78309_f,getClickedUrl,2,Gets the URL which was clicked on. +func_78319_a,renderMap,2, +func_78324_d,getScaledHeight_double,2, +func_78325_e,getScaleFactor,2, +func_78326_a,getScaledWidth,2, +func_78327_c,getScaledWidth_double,2, +func_78328_b,getScaledHeight,2, +func_78340_a,getImageContents,2, +func_78341_b,getTexture,2, +func_78342_b,bindTexture,2, +func_78343_a,updateDynamicTextures,2, +func_78344_a,deleteTexture,2,Deletes a single GL texture +func_78345_a,readTextureImage,2,Returns a BufferedImage read off the provided input stream. Args: inputStream +func_78346_a,getTextureContents,2, +func_78347_c,releaseImageData,2,"Decrements the reference count for a given URL, deleting the image data if the reference count hits 0" +func_78348_b,getImageContentsAndAllocate,2, +func_78349_a,createTextureFromBytes,2, +func_78350_a,getTextureForDownloadableImage,2,"Takes a URL of a downloadable image and the name of the local image to be used as a fallback. If the image has been downloaded, returns the GL texture of the downloaded image, otherwise returns the GL texture of the fallback image." +func_78351_a,setupTexture,2,Copy the supplied image onto the specified OpenGL texture +func_78352_b,refreshTextures,2,Call setupTexture on all currently-loaded textures again to account for changes in rendering options +func_78353_a,allocateAndSetupTexture,2,"Copy the supplied image onto a newly-allocated OpenGL texture, returning the allocated texture name" +func_78356_a,obtainImageData,2,"Return a ThreadDownloadImageData instance for the given URL. If it does not already exist, it is created and uses the passed ImageBuffer. If it does, its reference count is incremented." +func_78369_a,setColorRGBA_F,2,"Sets the RGBA values for the color, converting from floats between 0 and 1 to integers from 0-255." +func_78370_a,setColorRGBA,2,Sets the RGBA values for the color. Also clamps them to 0-255. +func_78371_b,startDrawing,2,Resets tessellator state and prepares for drawing (with the specified draw mode). +func_78372_c,addTranslation,2,Offsets the translation for all vertices in the current draw call. +func_78373_b,setTranslation,2,Sets the translation for all vertices in the current draw call. +func_78374_a,addVertexWithUV,2,"Adds a vertex specifying both x,y,z and the texture u,v for it." +func_78375_b,setNormal,2,Sets the normal for the current draw call. +func_78376_a,setColorOpaque,2,"Sets the RGB values as specified, and sets alpha to opaque." +func_78377_a,addVertex,2,"Adds a vertex with the specified x,y,z to the current draw call. It will trigger a draw() if the buffer gets full." +func_78378_d,setColorOpaque_I,2,Sets the color to the given opaque value (stored as byte values packed in an integer). +func_78379_d,reset,2,Clears the tessellator state in preparation for new drawing. +func_78380_c,setBrightness,2, +func_78381_a,draw,2,Draws the data set up in this tessellator and resets the state to prepare for new drawing. +func_78382_b,startDrawingQuads,2,Sets draw mode in the tessellator to draw quads. +func_78383_c,disableColor,2,Disables colors for the current draw call. +func_78384_a,setColorRGBA_I,2,Sets the color to the given color (packed as bytes in integer) and alpha values. +func_78385_a,setTextureUV,2,Sets the texture coordinates. +func_78386_a,setColorOpaque_F,2,"Sets the RGB values as specified, converting from floats between 0 and 1 to integers from 0-255." +func_78432_a,parseUserSkin,2, +func_78433_b,setAreaOpaque,2,Makes the given area of the image opaque +func_78434_a,setAreaTransparent,2,Makes the given area of the image transparent if it was previously completely opaque (used to remove the outer layer of a skin around the head if it was saved all opaque; this would be redundant so it's assumed that the skin maker is just using an image editor without an alpha channel) +func_78435_c,hasTransparency,2,Returns true if the given area of the image contains transparent pixels +func_78439_a,renderItemIn2D,2,Renders an item held in hand as a 2D texture with thickness +func_78440_a,renderItemInFirstPerson,2,Renders the active item in the player's hand when in first person mode. Args: partialTickTime +func_78441_a,updateEquippedItem,2, +func_78442_d,renderFireInFirstPerson,2,Renders the fire on the screen for first person mode. Arg: partialTickTime +func_78443_a,renderItem,2,Renders the item stack for being in an entity's hand Args: itemStack +func_78444_b,resetEquippedProgress,2,Resets equippedProgress +func_78445_c,resetEquippedProgress2,2,Resets equippedProgress +func_78446_a,renderInsideOfBlock,2,"Renders the texture of the block the player is inside as an overlay. Args: partialTickTime, blockTextureIndex" +func_78447_b,renderOverlays,2,Renders all the overlays that are in first person mode. Args: partialTickTime +func_78448_c,renderWarpedTextureOverlay,2,Renders a texture that warps around based on the direction the player is looking. Texture needs to be bound before being called. Used for the water overlay. Args: parialTickTime +func_78463_b,enableLightmap,2,Enable lightmap in secondary texture unit +func_78464_a,updateRenderer,2,Updates the entity renderer +func_78465_a,performanceToFps,2,Converts performance value (0-2) to FPS (35-200) +func_78466_h,updateFogColor,2,calculates fog and calls glClearColor +func_78467_g,orientCamera,2,sets up player's eye (or camera in third person mode) +func_78468_a,setupFog,2,Sets up the fog to be rendered. If the arg passed in is -1 the fog starts at 0 and goes to 80% of far plane distance and is used for sky rendering. +func_78469_a,setFogColorBuffer,2,Update and return fogColorBuffer with the RGBA values passed as arguments +func_78470_f,updateTorchFlicker,2,Recompute a random value that is applied to block color in updateLightmap() +func_78471_a,renderWorld,2, +func_78472_g,updateLightmap,2, +func_78473_a,getMouseOver,2,Finds what block or object the mouse is over at the specified partial tick time. Args: partialTickTime +func_78474_d,renderRainSnow,2,Render rain and snow +func_78475_f,setupViewBobbing,2,Setups all the GL settings for view bobbing. Args: partialTickTime +func_78476_b,renderHand,2,Render player hand +func_78477_e,updateFovModifierHand,2,Update FOV modifier hand +func_78478_c,setupOverlayRendering,2,Setup orthogonal projection for rendering GUI screen overlays +func_78479_a,setupCameraTransform,2,"sets up projection, view effects, camera position/rotation" +func_78480_b,updateCameraAndRender,2,Will update any inputs that effect the camera angle (mouse) and then render the world and GUI +func_78481_a,getFOVModifier,2,Changes the field of view of the player depending on if they are underwater or not +func_78482_e,hurtCameraEffect,2, +func_78483_a,disableLightmap,2,Disable secondary texture unit used by lightmap +func_78484_h,addRainParticles,2, +func_78542_a,renderChest,2,"Renders a chest at 0,0,0 - used for item rendering" +func_78546_a,isBoundingBoxInFrustum,2,"Returns true if the bounding box is inside all 6 clipping planes, otherwise returns false." +func_78547_a,setPosition,2, +func_78548_b,isBoxInFrustum,2,"Calls the clipping helper. Returns true if the box is inside all 6 clipping planes, otherwise returns false." +func_78553_b,isBoxInFrustum,2,"Returns true if the box is inside all 6 clipping planes, otherwise returns false." +func_78558_a,getInstance,2,Initialises the ClippingHelper object then returns an instance of it. +func_78559_a,normalize,2,Normalize the frustum. +func_78560_b,init,2, +func_78565_t,renderBlockStairs,2,Renders a stair block at the given coordinates +func_78566_o,renderBlockLilyPad,2,Render BlockLilyPad +func_78567_v,renderBlockEndPortalFrame,2,Render BlockEndPortalFrame +func_78568_d,renderPistonBaseAllFaces,2,Render all faces of the piston base +func_78569_d,renderBlockCactusImpl,2,Render block cactus implementation +func_78570_q,renderStandardBlock,2,Renders a standard cube block at the given coordinates +func_78571_c,renderPistonRodEW,2,Render piston rod east/west +func_78572_c,renderBlockTorch,2,Renders a torch block at the given coordinates +func_78573_e,renderFaceXNeg,2,"Renders the given texture to the west (x-negative) face of the block. Args: block, x, y, z, texture" +func_78574_w,renderBlockBed,2,render a bed at the given coordinates +func_78575_a,renderBlockStemSmall,2,Render block stem small +func_78576_j,renderBlockLadder,2,Renders a ladder block at the given coordinates +func_78577_f,renderBlockTripWireSource,2,Renders a trip wire source block at the given coordinates +func_78578_a,renderStandardBlockWithAmbientOcclusion,2, +func_78579_b,renderBlockCropsImpl,2,Render block crops implementation +func_78580_a,renderBlockFenceGate,2,Render block fence gate +func_78581_r,renderBlockLog,2,Renders a log block at the given coordinates +func_78582_a,renderBlockFence,2, +func_78583_a,renderBlockAllFaces,2,Render all faces of a block +func_78584_s,renderBlockCactus,2,Renders a cactus block at the given coordinates +func_78585_a,renderBlockBrewingStand,2,Render BlockBrewingStand +func_78586_a,renderBlockMinecartTrack,2,Renders a minecart track block at the given coordinates +func_78587_a,renderPistonExtensionAllFaces,2,Render all faces of the piston extension +func_78588_a,renderBlockSandFalling,2,Renders a falling sand block +func_78589_i,renderBlockRedstoneWire,2,Renders a redstone wire block at the given coordinates +func_78590_h,renderBlockFire,2,Renders a fire block at the given coordinates +func_78591_a,renderPistonRodUD,2,Render piston rod up/down +func_78592_a,renderBlockPane,2, +func_78593_b,renderPistonBase,2,renders a block as a piston base +func_78594_e,renderBlockLever,2,Renders a lever block at the given coordinates +func_78595_a,clearOverrideBlockTexture,2,Clear override block texture +func_78596_a,getFluidHeight,2,Get fluid height +func_78597_b,renderItemIn3d,2,Checks to see if the item's render type indicates that it should be rendered as a regular block or not. +func_78598_k,renderBlockVine,2,Render block vine +func_78599_a,drawCrossedSquares,2,Utility function to draw crossed swuares +func_78600_a,renderBlockAsItem,2,"Is called to render the image of a block on an inventory, as a held item, or as a an item on the ground" +func_78601_u,renderBlockDoor,2,Renders a door block at the given coordinates +func_78602_a,getAoBrightness,2,Get ambient occlusion brightness +func_78603_m,renderBlockStem,2,Render block stem +func_78604_a,renderBlockUsingTexture,2,Renders a block using the given texture instead of the block's own default texture +func_78605_f,renderFaceXPos,2,"Renders the given texture to the east (x-positive) face of the block. Args: block, x, y, z, texture" +func_78606_a,renderBlockStemBig,2,Render block stem big +func_78607_b,renderPistonRodSN,2,Render piston rod south/north +func_78608_c,renderPistonExtension,2,renders the pushing part of a piston +func_78609_c,renderStandardBlockWithColorMultiplier,2,"Renders a standard cube block at the given coordinates, with a given color ratio. Args: block, x, y, z, r, g, b" +func_78610_x,renderBlockRepeater,2,render a redstone repeater at the given coordinates +func_78611_c,renderFaceZNeg,2,"Renders the given texture to the north (z-negative) face of the block. Args: block, x, y, z, texture" +func_78612_b,renderBlockByRenderType,2,Renders the block at the given coordinates using the block's rendering type +func_78613_a,renderFaceYNeg,2,"Renders the given texture to the bottom face of the block. Args: block, x, y, z, texture" +func_78614_n,renderBlockCrops,2,Render block crops +func_78615_a,renderBlockCauldron,2,Render block cauldron +func_78616_a,renderBlockCocoa,2,Renders a Cocoa block at the given coordinates +func_78617_b,renderFaceYPos,2,"Renders the given texture to the top face of the block. Args: block, x, y, z, texture" +func_78618_a,renderBlockDragonEgg,2, +func_78619_g,renderBlockTripWire,2,Renders a trip wire block at the given coordinates +func_78620_l,renderCrossedSquares,2,"Renders any block requiring croseed squares such as reeds, flowers, and mushrooms" +func_78621_p,renderBlockFluids,2,Renders a block based on the BlockFluids class at the given coordinates +func_78622_d,renderFaceZPos,2,"Renders the given texture to the south (z-positive) face of the block. Args: block, x, y, z, texture" +func_78623_a,renderTorchAtAngle,2,"Renders a torch at the given coordinates, with the base slanting at the given delta" +func_78713_a,getEntityRenderObject,2, +func_78714_a,getDistanceToCamera,2, +func_78715_a,getEntityClassRenderObject,2, +func_78716_a,getFontRenderer,2,Returns the font renderer +func_78717_a,set,2,World sets this RenderManager's worldObj to the world provided +func_78718_a,cacheActiveRenderInfo,2,"Caches the current frame's active render info, including the current World, RenderEngine, GameSettings and FontRenderer settings, as well as interpolated player position, pitch and yaw." +func_78719_a,renderEntityWithPosYaw,2,"Renders the specified entity with the passed in position, yaw, and partialTickTime. Args: entity, x, y, z, yaw, partialTickTime" +func_78720_a,renderEntity,2,"Will render the specified entity at the specified partial tick time. Args: entity, partialTickTime" +func_78737_b,getSecondaryComponents,2, +func_78738_b,createNextComponentRandom,2, +func_78739_a,getPrimaryComponents,2, +func_78740_a,createNextComponent,2, +func_78743_b,clickBlock,2,"Called by Minecraft class when the player is hitting a block with an item. Args: x, y, z, side" +func_78744_a,clickBlockCreative,2,Block dig operation in creative mode (instantly digs the block). +func_78745_b,flipPlayer,2,Flips the player around. Args: player +func_78746_a,setGameType,2,Sets the game type for the player. +func_78747_a,enableEverythingIsScrewedUpMode,2,"If modified to return true, the player spins around slowly around (0, 68.5, 0). The GUI is disabled, the view is set to first person, and both chat and menu are disabled. Unless the server is modified to ignore illegal stances, attempting to enter a world at all will result in an immediate kick due to an illegal stance. Appears to be left-over debug, or demo code." +func_78748_a,setPlayerCapabilities,2,Sets player capabilities depending on current gametype. params: player +func_78749_i,extendedReach,2,true for hitting entities far away. +func_78750_j,syncCurrentPlayItem,2,Syncs the current player item with the server +func_78751_a,onPlayerDestroyBlock,2,Called when a player completes the destruction of a block +func_78753_a,windowClick,2, +func_78755_b,shouldDrawHUD,2, +func_78756_a,sendEnchantPacket,2,GuiEnchantment uses this during multiplayer to tell PlayerControllerMP to send a packet indicating the enchantment action the player has taken. +func_78757_d,getBlockReachDistance,2,player reach distance = 4F +func_78758_h,isInCreativeMode,2,returns true if player is in creative mode +func_78759_c,onPlayerDamageBlock,2,Called when a player damages a block and updates damage counters +func_78760_a,onPlayerRightClick,2,"Handles a players right click. Args: player, world, x, y, z, side, hitVec" +func_78761_a,sendSlotPacket,2,Used in PlayerControllerMP to update the server with an ItemStack in a slot. +func_78762_g,isNotCreative,2,"Checks if the player is not creative, used for checking if it should break a block instantly" +func_78764_a,attackEntity,2,Attacks an entity +func_78765_e,updateController,2, +func_78766_c,onStoppedUsingItem,2, +func_78767_c,resetBlockRemoving,2,Resets current block damage and field_78778_j +func_78769_a,sendUseItem,2,"Notifies the server of things like consuming food, etc..." +func_78784_a,setTextureOffset,2, +func_78785_a,render,2, +func_78786_a,addBox,2, +func_78787_b,setTextureSize,2,Returns the model renderer with the new texture parameters. +func_78788_d,compileDisplayList,2,Compiles a GL display list for this model +func_78789_a,addBox,2, +func_78790_a,addBox,2,"Creates a textured box. Args: originX, originY, originZ, width, height, depth, scaleFactor." +func_78791_b,renderWithRotation,2, +func_78792_a,addChild,2,Sets the current box's rotation points and rotation angles to another box. +func_78793_a,setRotationPoint,2, +func_78794_c,postRender,2,Allows the changing of Angles after a box has been rendered +func_78814_a,getNextComponent,2, +func_78815_a,getRandomComponent,2, +func_78817_b,getNextMineShaftComponent,2, +func_78832_a,getEntityCountAndList,2,Returns the size and contents of the entity list. +func_78834_a,getEntitySpawnQueueCountAndList,2,Returns the size and contents of the entity spawn queue. +func_78836_a,getNBTCompound,2,"Returns an NBTTagCompound with the server's name, IP and maybe acceptTextures." +func_78837_a,getServerDataFromNBTCompound,2,"Takes an NBTTagCompound with 'name' and 'ip' keys, returns a ServerData instance." +func_78838_a,setAcceptsTextures,2, +func_78839_b,getAcceptsTextures,2, +func_78849_a,addServerData,2,Adds the given ServerData instance to the list. +func_78850_a,getServerData,2,Gets the ServerData instance stored for the given index in the list. +func_78851_b,removeServerData,2,Removes the ServerData instance stored for the given index in the list. +func_78853_a,loadServerList,2,"Loads a list of servers from servers.dat, by running ServerData.getServerDataFromNBTCompound on each NBT compound found in the ""servers"" tag list." +func_78854_a,setServer,2,Sets the given index in the list to the given ServerData instance. +func_78855_b,saveServerList,2,"Runs getNBTCompound on each ServerData instance, puts everything into a ""servers"" NBT list and writes it to servers.dat." +func_78856_c,countServers,2,Counts the number of ServerData instances in the list. +func_78857_a,swapServers,2,"Takes two list indexes, and swaps their order around." +func_78861_a,getIP,2, +func_78862_a,parseIntWithDefault,2, +func_78863_b,getServerAddress,2,"Returns a server's address and port for the specified hostname, looking up the SRV record if possible" +func_78864_b,getPort,2, +func_78867_a,addBlockHitEffects,2,"Adds block hit particles for the specified block. Args: x, y, z, sideHit" +func_78868_a,updateEffects,2, +func_78869_b,getStatistics,2, +func_78870_a,clearEffects,2, +func_78871_a,addBlockDestroyEffects,2, +func_78872_b,renderLitParticles,2, +func_78873_a,addEffect,2, +func_78874_a,renderParticles,2,"Renders all current particles. Args player, partialTickTime" +func_78879_f,getCenterY,2, +func_78880_d,getZSize,2,Returns length of a bounding box +func_78881_e,getCenterX,2, +func_78882_c,getYSize,2,Returns height of a bounding box +func_78883_b,getXSize,2,Returns width of a bounding box +func_78884_a,intersectsWith,2,Returns whether the given bounding box intersects with this one. Args: structureboundingbox +func_78885_a,intersectsWith,2,Discover if a coordinate is inside the bounding box area. +func_78886_a,offset,2,"Offsets the current bounding box by the specified coordinates. Args: x, y, z" +func_78887_a,getNewBoundingBox,2,returns a new StructureBoundingBox with MAX values +func_78888_b,expandTo,2,Expands a bounding box's dimensions to include the supplied bounding box. +func_78889_a,getComponentToAddBoundingBox,2,used to project a possible new component Bounding Box - to check if it would cut anything already spawned +func_78890_b,isVecInside,2,Returns true if block is inside bounding box +func_78891_g,getCenterZ,2, +func_78898_a,updatePlayerMoveState,2, +func_78904_d,callOcclusionQueryList,2,Renders the occlusion query GL List +func_78905_g,setupGLTranslation,2, +func_78906_e,skipAllRenderPasses,2,Checks if all render passes are to be skipped. Returns false if the renderer is not initialized +func_78907_a,updateRenderer,2,Will update this chunk renderer +func_78908_a,updateInFrustum,2, +func_78909_a,getGLCallListForPass,2,Takes in the pass the call list is being requested for. Args: renderPass +func_78910_b,setDontDraw,2,When called this renderer won't draw anymore until its gets initialized again +func_78911_c,stopRendering,2, +func_78912_a,distanceToEntitySquared,2,"Returns the distance of this chunk renderer to the entity without performing the final normalizing square root, for performance reasons." +func_78913_a,setPosition,2,Sets a new position for the renderer and setting it up so it can be reloaded with the new data for that position +func_78914_f,markDirty,2,Marks the current renderer data as dirty and needing to be updated. +func_78944_a,doCompare,2, +func_78946_a,sortByDistanceToEntity,2,Sorts the two world renderers according to their distance to a given entity. +func_79001_a,getTexturePack,2, +func_79003_a,initGUI,2,Sets up the server GUI +func_79004_a,getDedicatedServer,2, +func_79005_d,getLogComponent,2,Returns a new JPanel with a new GuiStatsComponent inside. +func_79006_b,getStatsComponent,2,Returns a new JPanel with a new GuiStatsComponent inside. +func_79007_c,getPlayerListComponent,2,Returns a new JScrollPane with a new PlayerListBox inside. +func_79013_a,update,2,Public static accessor to call updateStats. +func_79014_a,updateStats,2,Updates the stat values and calls paint to redraw the component. +func_79015_a,calcArrayAverage,2,Calculates the avarage value of the given long array. +func_80003_ah,getPlayerUsageSnooper,2, +func_80006_f,getUniqueID,2, +func_80007_l,getDimensionName,2,"Returns the dimension's name, e.g. ""The End"", ""Nether"", or ""Overworld""." +func_82011_an,enableGui,2, +func_82114_b,getPlayerCoordinates,2,Return the position for this command sender. +func_82115_m,getMaxRenderDistanceSquared,2, +func_82116_a,setSkullRotation,2,Set the skull's rotation +func_82117_a,getSkullType,2,Get the entity type for the skull +func_82118_a,setSkullType,2,Set the entity type for the skull +func_82120_c,getExtraType,2,"Get the extra data foor this skull, used as player username by player heads" +func_82124_t,addEffectsToPlayers,2, +func_82126_i,getPrimaryEffect,2,Return the primary potion effect given by this beacon. +func_82127_e,setSecondaryEffect,2, +func_82128_d,setPrimaryEffect,2, +func_82129_c,setLevels,2,Set the levels of this beacon's pyramid. +func_82130_k,getLevels,2,Return the levels of this beacon's pyramid. +func_82131_u,updateState,2,Checks if the Beacon has a valid pyramid underneath and direct sunlight above +func_82132_j,getSecondaryEffect,2,Return the secondary potion effect given by this beacon. +func_82141_a,copyDataFrom,2,"Copies important data from another entity to this entity. Used when teleporting entities between worlds, as this actually deletes the teleporting entity and re-creates it on the other side. Params: Entity to copy from, unused (always true)" +func_82142_c,setInvisible,2, +func_82144_au,doesEntityNotTriggerPressurePlate,2,Return whether this entity should NOT trigger a pressure plate or a tripwire. +func_82145_z,getMaxInPortalTime,2,Return the amount of time this entity should stay in a portal before being transported. +func_82147_ab,getPortalCooldown,2,Return the amount of cooldown before this entity can use a portal again. +func_82148_at,getTeleportDirection,2, +func_82150_aj,isInvisible,2, +func_82154_e,setIsAnvil,2, +func_82159_b,getArmorPosition,2, +func_82160_b,dropEquipment,2,Drop the equipment for this entity. +func_82161_a,getArmorItemForSlot,2,"Params: Armor slot, Item tier" +func_82163_bD,initCreature,2,Initialize this creature. +func_82164_bB,addRandomArmor,2,Makes entity wear random armor based on difficulty +func_82165_m,isPotionActive,2, +func_82166_i,getArmSwingAnimationEnd,2,"Returns an integer indicating the end point of the swing animation, used by {@link #swingProgress} to provide a progress indicator. Takes dig speed enchantments into account." +func_82167_n,collideWithEntity,2, +func_82168_bl,updateArmSwingProgress,2,Updates the arm swing progress counters and animation progress +func_82169_q,getCurrentArmor,2, +func_82170_o,removePotionEffect,2,Remove the specified potion effect from this entity. +func_82171_bF,canBeSteered,2,"returns true if all the conditions for steering the entity are met. For pigs, this is true if it is being ridden by a player and the player is holding a carrot-on-a-stick" +func_82183_n,getAIControlledByPlayer,2,Return the AI task for player control. +func_82185_r,setCollarColor,2,Set this wolf's collar color. +func_82186_bH,getCollarColor,2,Return this wolf's collar color. +func_82193_c,getAttackStrength,2,Returns the amount of damage a mob should deal. +func_82196_d,attackEntityWithRangedAttack,2,Attack the specified entity using a ranged attack. +func_82197_f,setAggressive,2,Set whether this witch is aggressive at an entity. +func_82198_m,getAggressive,2,Return whether this witch is aggressive at an entity. +func_82201_a,setSkeletonType,2,Set this skeleton's type. +func_82202_m,getSkeletonType,2,Return this skeleton's type. +func_82203_t,getWatchedTargetId,2,"Returns the target entity ID if present, or -1 if not @param par1 The target offset, should be from 0-2" +func_82205_o,isArmored,2,Returns whether the wither is armored with its boss armor or not by checking whether its health is below half of its maximum. +func_82227_f,setChild,2,Set whether this zombie is a child. +func_82228_a,startConversion,2,Starts converting this zombie into a villager. The zombie converts into a villager after the specified time in ticks. +func_82229_g,setVillager,2,Set whether this zombie is a villager. +func_82230_o,isConverting,2,Returns whether this zombie is in the process of converting to a villager +func_82231_m,isVillager,2,Return whether this zombie is a villager. +func_82232_p,convertToVillager,2,Convert this zombie into a villager. +func_82233_q,getConversionTimeBoost,2,Return the amount of time decremented from conversionTime every tick. +func_82235_h,getIsBatHanging,2, +func_82236_f,setIsBatHanging,2, +func_82238_cc,getHideCape,2, +func_82239_b,setHideCape,2, +func_82240_a,displayGUIBeacon,2,Displays the GUI for interacting with a beacon. +func_82241_s,getHideCape,2, +func_82242_a,addExperienceLevel,2,Add experience levels to this player. +func_82244_d,displayGUIAnvil,2,Displays the GUI for interacting with an anvil. +func_82245_bX,isSpawnForced,2, +func_82246_f,canCurrentToolHarvestBlock,2,"Returns true if the item the player is holding can harvest the block at the given coords. Args: x, y, z." +func_82247_a,canPlayerEdit,2, +func_82265_c,setEnabled,2, +func_82266_h,setDisabledTextColour,2, +func_82273_a,setFlatGeneratorInfo,2, +func_82274_h,getRenderItem,2, +func_82275_e,getFlatGeneratorInfo,2, +func_82294_a,addPreset,2,Add a flat world preset. +func_82295_i,getPresets,2,Return the list of defined flat world presets. +func_82297_a,addPresetNoFeatures,2,Add a flat world preset with no world features. +func_82299_h,getPresetIconRenderer,2,Return the RenderItem instance used to render preset icons. +func_82319_a,checkHotbarKeys,2,This function is what controls the hotbar shortcut check when you press a number key when hovering a stack. +func_82328_a,setDirection,2, +func_82331_h,dropItemStack,2,Drop the item currently on this item frame. +func_82333_j,getRotation,2,Return the rotation of the item currently on this frame. +func_82334_a,setDisplayedItem,2, +func_82335_i,getDisplayedItem,2, +func_82336_g,setItemRotation,2, +func_82338_g,setAlphaF,2,Sets the particle alpha (float) +func_82340_a,setPotionDamage,2, +func_82341_c,getMotionFactor,2,Return the motion factor for this projectile. The factor is multiplied by the original motion. +func_82342_d,isInvulnerable,2,Return whether this skull comes from an invulnerable (aura) wither boss. +func_82343_e,setInvulnerable,2,Set whether this skull comes from an invulnerable (aura) wither boss. +func_82347_b,clearInventory,2,"Clear this player's inventory, using the specified ID and metadata as filters or -1 for no filter." +func_82351_a,executeCommandOnPowered,2,"Execute the command, called when the command block is powered." +func_82352_b,setCommand,2,Sets the command this block will execute when powered. +func_82353_c,getCommand,2,Return the command this command block is set to execute. +func_82355_al,registerDispenseBehaviors,2,Register all dispense behaviors. +func_82356_Z,isCommandBlockEnabled,2,Return whether command blocks are enabled. +func_82357_ak,getSpawnProtectionSize,2,Return the spawn protection area's size. +func_82358_a,isUsernameIndex,2,Return whether the specified command parameter index is a username parameter. +func_82362_a,getRequiredPermissionLevel,2,Return the required permission level for this command. +func_82363_b,parseDouble,2,Parses a double from the given string or throws an exception if it's not a double. +func_82364_d,getDifficultyForName,2,Return the difficulty value for the specified string. +func_82366_d,getGameRules,2,Return the game rule set this command should be able to manipulate. +func_82369_d,getAllOnlineUsernames,2,Return all usernames currently connected to the server. +func_82370_a,getUsernameIndex,2,Return a command's first parameter index containing a valid username. +func_82371_e,getDistanceSquaredToChunkCoordinates,2,Return the squared distance between this coordinates and the ChunkCoordinates given as argument. +func_82372_a,getMovementDirection,2,Returns the movement direction from a velocity vector. +func_82375_f,getDefaultMinimumLevel,2,Gets the default minimum experience level (argument lm) +func_82376_e,getDefaultMaximumLevel,2,Gets the default maximum experience level (argument l) +func_82377_a,matchesMultiplePlayers,2,Returns whether the given pattern can match more than one player. +func_82378_b,hasArguments,2,Returns whether the given token has any arguments set. +func_82379_d,getDefaultMaximumRange,2,Gets the default maximum range (argument r). +func_82380_c,matchPlayers,2,Returns an array of all players matched by the given at-token. +func_82381_h,getArgumentMap,2,"Parses the given argument string, turning it into a HashMap<String, String> of name->value." +func_82382_g,getDefaultCount,2,"Gets the default number of players to return (argument c, 0 for infinite)" +func_82383_a,hasTheseArguments,2,Returns whether the given token (parameter 1) has exactly the given arguments (parameter 2). +func_82384_c,getDefaultMinimumRange,2,Gets the default minimum range (argument rm). +func_82385_b,matchPlayersAsString,2,Returns a nicely-formatted string listing the matching players. +func_82386_a,matchOnePlayer,2,Returns the one player that matches the given at-token. Returns null if more than one player matches. +func_82392_a,bindTextureByURL,2,"Binds a texture that Minecraft will attempt to load from the given URL. (arguments: url, localFallback)" +func_82394_a,renderTileEntitySkullAt,2,Render a skull tile entity. +func_82398_a,renderTileEntityBeaconAt,2,Render a beacon tile entity. +func_82403_a,renderFrameItemAsBlock,2,Render the item frame's item as a block. +func_82406_b,renderItemAndEffectIntoGUI,2,"Render the item's icon or block into the GUI, including the glint effect." +func_82441_a,renderFirstPersonArm,2, +func_82448_a,transferEntityToWorld,2,Transfers an entity from a world to another world. +func_82449_a,findPlayers,2,Find all players in a specified range and narrowing down by other parameters +func_82460_a,updateSoundLocation,2,Updates the sound associated with the entity with that entity's position and velocity. Args: the entity +func_82461_f,resumeAllSounds,2,Resumes playing all currently playing sounds (after pauseAllSounds) +func_82462_a,updateSoundLocation,2,"Updates the sound associated with soundEntity with the position and velocity of trackEntity. Args: soundEntity, trackEntity" +func_82463_b,setEntitySoundPitch,2,"Sets the pitch of the sound associated with the given entity, if one is playing. Args: the entity, the pitch" +func_82464_d,stopAllSounds,2,Stops all currently playing sounds +func_82465_b,isEntitySoundPlaying,2,"Returns true if a sound is currently associated with the given entity, or false otherwise." +func_82466_e,pauseAllSounds,2,Pauses all currently playing sounds +func_82467_a,playEntitySound,2,"If a sound is already playing from the given entity, update the position and velocity of that sound to match the entity. Otherwise, start playing a sound from that entity. Setting the last flag to true will prevent other sounds from overriding this one. Args: The sound name, the entity, the volume, the pitch, priority" +func_82468_a,setEntitySoundVolume,2,"Sets the volume of the sound associated with the given entity, if one is playing. The volume is scaled by the global sound volume. Args: the entity, the volume (from 0 to 1)" +func_82469_c,stopEntitySound,2,Stops playing the sound associated with the given entity +func_82482_a,dispense,2,Dispenses the specified ItemStack from a dispenser. +func_82485_a,playDispenseSound,2,Play the dispense sound from the specified block. +func_82486_a,doDispense,2, +func_82487_b,dispenseStack,2,"Dispense the specified stack, play the dispense sound and spawn particles." +func_82489_a,spawnDispenseParticles,2,Order clients to display dispense particles from the specified block and facing. +func_82499_a,getProjectileEntity,2,Return the projectile entity spawned by this dispense behavior. +func_82505_u_,isFlowerPot,2,Returns true only if block is flowerPot +func_82519_a_,onFinishFalling,2,Called when the falling block entity for this block hits the ground and turns back into a block +func_82520_a,onStartFalling,2,Called when the falling block entity for this block is created +func_82524_c,isRedstoneRepeaterBlockID,2, +func_82525_a,getIPositionFromBlockSource,2, +func_82526_n,dispense,2, +func_82529_a,makeWither,2,This method attempts to create a wither at the given location and skull +func_82530_a,getMetaForPlant,2,Return the flower pot metadata value associated with the specified item. +func_82531_c,getPlantForMeta,2,Return the item associated with the specified flower pot metadata value. +func_82532_h,getSeedItem,2,Generate a seed ItemStack for this crop. +func_82533_j,getCropItem,2,Generate a crop produce ItemStack for this crop. +func_82538_d,canConnectWallTo,2,Return whether an adjacent block can connect to a wall. +func_82543_e,isBlockStairsID,2,Checks if supplied ID is one of a BlockStairs +func_82547_a,comparePlayers,2,Compare the position of two players. +func_82558_j,getWalkSpeed,2, +func_82560_d,getRelativeVolumeDisabled,2, +func_82563_j,getShowCape,2, +func_82571_y,getGeneratorOptions,2, +func_82572_b,incrementTotalWorldTime,2, +func_82573_f,getWorldTotalTime,2, +func_82574_x,getGameRulesInstance,2,Gets the GameRules class Instance. +func_82579_a,getTagMap,2,Return the tag map for this compound. +func_82580_o,removeTag,2,Remove the specified tag. +func_82581_a,createCrashReport,2,Create a crash report which indicates a NBT read error. +func_82582_d,hasNoTags,2,Return whether this compound has no tags. +func_82591_c,getPoolSize,2, +func_82593_b,getPlaceSound,2,Used when a player places a block. +func_82595_a,putObject,2,Register an object on this registry. +func_82599_e,getFrontOffsetZ,2,Returns a offset that addresses the block in front of this facing. +func_82600_a,getFront,2,Returns the facing that represents the block in front of it. +func_82601_c,getFrontOffsetX,2,Returns a offset that addresses the block in front of this facing. +func_82615_a,getX,2, +func_82616_c,getZ,2, +func_82617_b,getY,2, +func_82618_k,getWorld,2, +func_82619_j,getBlockTileEntity,2, +func_82620_h,getBlockMetadata,2, +func_82621_f,getZInt,2, +func_82622_e,getYInt,2, +func_82623_d,getXInt,2, +func_82632_g,boostSpeed,2,Boost the entity's movement speed. +func_82633_h,isControlledByPlayer,2,Return whether the entity is being controlled by a player. +func_82634_f,isSpeedBoosted,2,Return whether the entity's speed is boosted. +func_82644_b,getWorldFeatures,2,Return the list of world features enabled on this preset. +func_82647_a,setBiome,2,Set the biome used on this preset. +func_82648_a,getBiome,2,Return the biome used on this preset. +func_82649_e,getDefaultFlatGenerator,2, +func_82650_c,getFlatLayers,2,Return the list of layers on this preset. +func_82651_a,createFlatGeneratorFromString,2, +func_82656_d,getMinY,2,"Return the minimum Y coordinate for this layer, set during generation." +func_82657_a,getLayerCount,2,Return the amount of layers for this set of layers. +func_82658_c,getFillBlockMeta,2,Return the block metadata used on this set of layers. +func_82659_b,getFillBlock,2,Return the block type used on this set of layers. +func_82660_d,setMinY,2,Set the minimum Y coordinate for this layer. +func_82667_a,getScatteredFeatureSpawnList,2,returns possible spawns for scattered features +func_82674_a,pickRandomCrop,2,Returns a crop type to be planted on this field. +func_82677_a,getRandomCrop,2,Returns a crop type to be planted on this field. +func_82684_a,getReputationForPlayer,2,Return the village reputation for a player +func_82686_i,isMatingSeason,2,Return whether villagers mating refractory period has passed +func_82687_d,isPlayerReputationTooLow,2,Return whether this player has a too low reputation with this village. +func_82688_a,setReputationForPlayer,2,Set the village reputation for a player. +func_82689_b,writeVillageDataToNBT,2,Write this village's data to NBT. +func_82690_a,readVillageDataFromNBT,2,Read this village's data from NBT. +func_82692_h,endMatingSeason,2,Prevent villager breeding for a fixed interval of time +func_82695_e,recreateStructures,2, +func_82704_a,isEntityApplicable,2,Return whether the specified entity is applicable to this filter. +func_82705_e,getAnimal,2,Return whether this creature type is an animal. +func_82708_h,setObjectWatched,2, +func_82709_a,addObjectByDataType,2,"Add a new object for the DataWatcher to watch, using the specified data type." +func_82710_f,getWatchableObjectItemStack,2,Get a watchable object as an ItemStack. +func_82711_a,setWatchableObjectWatched,2,Set whether the specified watchable object is being watched. +func_82712_a,parseDoubleWithDefault,2,parses the string as double or returns the second parameter if it fails. +func_82714_a,parseIntWithDefaultAndMax,2,parses the string as integer or returns the second parameter if it fails. this value is capped to par2 +func_82715_a,parseIntWithDefault,2,parses the string as integer or returns the second parameter if it fails +func_82716_a,getRandomDoubleInRange,2, +func_82718_a,loginToMinecraft,2, +func_82719_a,writeCustomPotionEffectToNBT,2,Write a custom potion effect to a potion item's NBT data. +func_82720_e,getIsAmbient,2,Gets whether this potion effect originated from a beacon +func_82721_a,setSplashPotion,2,Set whether this potion is a splash potion. +func_82722_b,readCustomPotionEffectFromNBT,2,Read a custom potion effect from a potion item's NBT data. +func_82725_o,isMagicDamage,2,Returns true if the damage is magic based. +func_82726_p,setMagicDamage,2,Define the damage type as magic based. +func_82732_R,getWorldVec3Pool,2,Return the Vec3Pool object for this world. +func_82733_a,selectEntitiesWithinAABB,2, +func_82734_g,getChunkHeightMapMinimum,2,"Gets the heightMapMinimum field of the given chunk, or 0 if the chunk is not loaded. Coords are in blocks. Args: X, Z" +func_82736_K,getGameRules,2,Gets the GameRules instance. +func_82737_E,getTotalWorldTime,2, +func_82742_i,resetUpdateEntityTick,2,Resets the updateEntityTick field to 0 +func_82743_f,getCreationCloudUpdateTick,2,retrieves the 'date' at which the PartiallyDestroyedBlock was created +func_82744_b,setCloudUpdateTick,2,saves the current Cloud update tick into the PartiallyDestroyedBlock +func_82746_a,broadcastSound,2, +func_82747_f,getWorldTypeID,2, +func_82752_c,isAdventure,2,Returns true if this is the ADVENTURE game type +func_82756_a,getGameRuleStringValue,2,Gets the GameRule's value as String. +func_82757_a,setValue,2,Set this game rule value. +func_82758_b,getGameRuleBooleanValue,2,Gets the GameRule's value as boolean. +func_82763_b,getRules,2,Return the defined game rules. +func_82764_b,setOrCreateGameRule,2, +func_82765_e,hasRule,2,Return whether the specified game rule is defined. +func_82766_b,getGameRuleBooleanValue,2,Gets the boolean Game Rule value. +func_82767_a,getGameRuleStringValue,2,Gets the string Game Rule value. +func_82768_a,readGameRulesFromNBT,2,Set defined game rules from NBT. +func_82769_a,addGameRule,2,Define a game rule and its default value. +func_82770_a,writeGameRulesToNBT,2,Return the defined game rules as NBT. +func_82773_c,hasImageData,2,Checks if urlToImageDataMap has image data for the given key +func_82774_a,setOverrideBlockTexture,2,Sets overrideBlockTexture +func_82775_a,renderBlockAnvil,2,Renders anvil +func_82776_a,renderBlockAnvilOrient,2,Renders anvil block with orientation +func_82777_a,renderBlockAnvilRotate,2,Renders anvil block with rotation +func_82778_a,renderBlockBeacon,2,Renders beacon block +func_82779_a,renderBlockWall,2,Renders wall block +func_82780_a,renderBlockFlowerpot,2,Renders flower pot +func_82781_a,getEnchantments,2,Return the enchantments for the specified stack. +func_82782_a,setEnchantments,2,Set the enchantments for the specified stack. +func_82787_a,findMatchingRecipe,2, +func_82789_a,getIsRepairable,2,Return whether this item is repairable in an anvil. +func_82790_a,getColorFromItemStack,2, +func_82810_a,createHangingEntity,2,Create the hanging entity associated to this item. +func_82812_d,getArmorMaterial,2,Return the armor material for this armor item. +func_82814_b,getColor,2,Return the color for the specified armor ItemStack. +func_82815_c,removeColor,2,Remove the color from the specified armor ItemStack. +func_82816_b_,hasColor,2,Return whether the specified armor ItemStack has a color. +func_82819_b,setHideAddress,2, +func_82820_d,isHidingAddress,2, +func_82829_a,renderCloudsCheck,2,Render clouds if enabled +func_82830_a,getNightVisionBrightness,2,Gets the night vision brightness +func_82833_r,getDisplayName,2,returns the display name of the itemstack +func_82834_c,setItemName,2,Sets the item's name (used by anvil to rename the items). +func_82836_z,getItemFrame,2,Return the item frame this stack is on. Returns null if not on an item frame. +func_82837_s,hasDisplayName,2,Returns true if the itemstack has a display name +func_82838_A,getRepairCost,2,"Get this stack's repair cost, or 0 if no repair cost is defined." +func_82839_y,isOnItemFrame,2,Return whether this stack is on an item frame. +func_82840_a,getTooltip,2,Return a list of strings containing information about the item +func_82841_c,setRepairCost,2,Set this stack's repair cost. +func_82842_a,setItemFrame,2,Set the item frame this stack is on. +func_82844_f,getToolCraftingMaterial,2,"Return the crafting material for this tool material, used to determine the item that can be used to repair a tool with an anvil" +func_82845_b,getArmorCraftingMaterial,2,"Return the crafting material for this armor material, used to determine the item that can be used to repair an armor piece with an anvil" +func_82846_b,transferStackInSlot,2,Called when a player shift-clicks on a slot. You must override this or you will crash when someone does that. +func_82847_b,removeCraftingFromCrafters,2,Remove this crafting listener from the listener list. +func_82848_d,updateRepairOutput,2,"called when the Anvil Input Slot changes, calculates the new result and puts it in the output slot" +func_82849_b,getStackSizeUsedInRepair,2, +func_82850_a,updateItemName,2,used by the Anvil GUI to update the Item Name being typed by the player +func_82851_a,getRepairInputInventory,2, +func_82863_d,getBeacon,2,Returns the Tile Entity behind this beacon inventory / container +func_82869_a,canTakeStack,2,Return whether this slot's stack can be taken from this slot. +func_82870_a,onPickupFromSlot,2, +func_82877_b,setPlayerWalkSpeed,2, +func_82879_c,sendSettingsToServer,2,Send a client info packet with settings information to the server +func_82883_a,getUnicodeFlag,2,Get unicodeFlag controlling whether strings should be rendered with Unicode fonts instead of the default.png font. +func_82889_a,getBatSize,2,"not actually sure this is size, is not used as of now, but the model would be recreated if the value changed and it seems a good match for a bats size" +func_83003_a,getMemoryReport,2,Returns a string with allocated and used memory. +func_83005_z,getBlockBoundsMinZ,2,returns the block bounderies minZ value +func_83006_A,getBlockBoundsMaxZ,2,returns the block bounderies maxZ value +func_83007_w,getBlockBoundsMaxX,2,returns the block bounderies maxX value +func_83008_x,getBlockBoundsMinY,2,returns the block bounderies minY value +func_83009_v,getBlockBoundsMinX,2,returns the block bounderies minX value +func_83010_y,getBlockBoundsMaxY,2,returns the block bounderies maxY value +func_83012_d,getnextPoolIndex,2, +func_83013_c,getlistAABBsize,2, +func_83015_S,getCurrentDate,2,returns a calendar object containing the current date +func_83017_b,unlockBlockBounds,2,Unlocks the visual bounding box so that RenderBlocks can change it again. +func_83018_a,setRenderBoundsFromBlock,2,"Like setRenderBounds, but automatically pulling the bounds from the given Block." +func_83019_b,overrideBlockBounds,2,"Like setRenderBounds, but locks the values so that RenderBlocks won't change them. If you use this, you must call unlockBlockBounds after you finish rendering!" +func_83020_a,setRenderBounds,2,"Sets the bounding box for the block to draw in, e.g. 0.25-0.75 on all axes for a half-size, centered block." +func_85028_t,getClassToNameMap,2, +func_85030_a,playSound,2, +func_85032_ar,isEntityInvulnerable,2,Return whether this entity is invulnerable to damage. +func_85034_r,setArrowCountInEntity,2,sets the amount of arrows stuck in the entity. used for rendering those +func_85035_bI,getArrowCountInEntity,2,"counts the amount of arrows stuck in the entity. getting hit by arrows increases this, used in rendering" +func_85036_m,setCombatTask,2,sets this entity's combat AI. +func_85039_t,addScore,2,Add to player's score +func_85040_s,setScore,2,Set player's score +func_85044_b,drawItemStack,2, +func_85052_h,getThrower,2, +func_85054_d,searchForOtherItemsNearby,2,Looks for other itemstacks nearby and tries to stack them together +func_85055_a,makeCrashReport,2,Creates a crash report for the exception +func_85057_a,makeCategoryDepth,2,Creates a CrashReportCategory for the given stack trace depth +func_85058_a,makeCategory,2,Creates a CrashReportCategory +func_85062_a,callBlockDataValue,2, +func_85064_a,callBlockLocationInfo,2, +func_85071_a,getLocationInfo,2,"Returns a string with world information on location.Args:x,y,z" +func_85079_a,callBlockType,2, +func_85085_a,callSuspiciousClasses,2, +func_85093_e,renderArrowsStuckInEntity,2,"renders arrows the Entity has been attacked with, attached to it" +func_85096_a,renderBlockAnvilMetadata,2,Renders anvil block with metadata +func_85097_a,callParticlePositionInfo,2, +func_85102_a,playSoundToNearExcept,2,Plays sound to all near players except the player reference given +func_85103_a,canDropFromExplosion,2,Return whether this block can drop from an explosion. +func_85104_a,onBlockPlaced,2,"Called when a block is placed using its ItemBlock. Args: World, X, Y, Z, side, hitX, hitY, hitZ, block metadata" +func_85105_g,onPostBlockPlaced,2,Called after a block is placed +func_85106_a,insertRecord,2,Insert the specified music disc in the jukebox at the given coordinates +func_85107_d,updateLadderBounds,2,Update the ladder block bounds based on the given metadata value. +func_85108_a,callLevelGameModeInfo,2, +func_85110_a,callLevelWeatherInfo,2, +func_85112_a,callLevelStorageFormat,2, +func_85114_a,callLevelDimension,2, +func_85116_n,getThundering,2,Returns wether it's thundering or not. +func_85118_a,addToCrashReport,2,Adds this WorldInfo instance to the crash report. +func_85119_k,getRainTime,2, +func_85120_o,getGameType,2, +func_85121_j,getSaveVersion,2, +func_85123_f,getSpawnZCoordinate,2, +func_85124_e,getSpawnYCoordinate,2, +func_85125_d,getSpawnXCoordinate,2, +func_85127_l,getRaining,2,Returns wether it's raining or not. +func_85128_b,getMapFeaturesEnabled,2,Return the map feautures enabled of a world +func_85129_h,getWorldTime,2, +func_85130_c,getWorldGeneratorOptions,2, +func_85132_a,getTerrainTypeOfWorld,2,Return the terrain type of a world +func_85133_m,getThunderTime,2, +func_85134_a,callLevelSpawnLocation,2, +func_85136_a,callLevelTime,2, +func_85138_a,callLevelGeneratorInfo,2, +func_85140_a,callLevelGeneratorOptions,2, +func_85142_a,callLevelSeed,2, +func_85145_a,callTileEntityName,2, +func_85151_d,getLowerChestInventory,2,Return this chest container's lower chest inventory. +func_85154_a,callEntityType,2, +func_85156_a,removeTask,2,removes the indicated task from the entity's AI tasks. +func_85157_q,isAlwaysHarvested,2,Check to see if we can harvest it in any case. +func_85158_p,setAlwaysHarvested,2,Set as harvestable in any case. +func_85160_a,callStructureType,2, +func_85162_a,callChunkPositionHash,2, +func_85170_a,callServerType,2, +func_85173_a,playSoundToNearExcept,2,Plays sound to all near players except the player reference given +func_85175_e,blockGetRenderType,2,Returns the render type of the block at the given coordinate. +func_85176_s,getDefaultTeleporter,2, +func_85181_a,getRandomModelBox,2, +func_85182_a,sameToolAndBlock,2, +func_85187_a,drawString,2,"Draws the specified string. Args: string, x, y, color, dropShadow" +func_85188_a,makePortal,2, +func_85189_a,removeStalePortalLocations,2,called periodically to remove out-of-date portal locations from the cache list. Argument par1 is a WorldServer.getTotalWorldTime() value. +func_90010_a,isPartOfLargeChest,2,Return whether the given inventory is part of this large chest. +func_90011_a,createChild,2, +func_90019_g,applyRenderColor,2,Creates a new EntityDiggingFX with the block render color applied to the base particle color +func_90022_d,getListOfPlayers,2, +func_90023_a,callMouseLocation,2, +func_90027_a,callScreenSize,2, +func_90030_a,getRendererMinecraft,2,Get minecraft reference from the EntityRenderer +func_90031_a,callScreenName,2, +func_90033_f,canLoadWorld,2,Return whether the given world can be loaded. +func_90035_a,getClassFromID,2,Return the class assigned to this entity ID. +func_90036_a,getFireAspectModifier,2, +func_90042_d,getRecord,2,Return the record item corresponding to the given name. +func_90043_g,getRecordTitle,2,Return the title for this record. +func_90045_a,callClientProfilerInfo,2, +func_90047_a,callClientMemoryStats,2, +func_90050_a,callTexturePack,2, +func_90052_a,callParticleScreenName,2, +func_90054_a,callUpdatingScreenName,2, +func_90999_ad,canRenderOnFire,2,Return whether this entity should be rendered as on fire. +func_92058_a,setEntityItemStack,2,Sets the ItemStack for this entity +func_92059_d,getEntityItem,2,"Returns the ItemStack corresponding to the Entity (Note: if no item exists, will log an error but still return an ItemStack containing Block.stone)" +func_92062_k,sendChatMsg,2,Sends the given string to every player as chat message. +func_92085_d,getIsBlank,2, +func_92087_a,causeThornsDamage,2,Returns the EntityDamageSource of the Thorns enchantment +func_92089_a,canApply,2, +func_92097_a,negateDamage,2,"Used by ItemStack.attemptDamageItem. Randomly determines if a point of damage should be negated using the enchantment level (par1). If the ItemStack is Armor then there is a flat 60% chance for damage to be negated no matter the enchantment level, otherwise there is a 1-(par/1) chance for damage to be negated." +func_92103_a,addRecipe,2, +func_94041_b,isStackValidForSlot,2,Returns true if automation is allowed to insert the given stack (ignoring stack size) into the given slot. +func_94042_c,isInvNameLocalized,2,"If this returns false, the inventory name will be used as an unlocalized name, and translated into the player's language. Otherwise it will be used directly." +func_94049_a,setCustomName,2, +func_94052_a,setParticleIcon,2, +func_94053_h,nextTextureIndexX,2, +func_94064_a,displayGUIHopper,2, +func_94065_a,drawTexturedModelRectFromIcon,2, +func_94083_c,getTntPlacedBy,2,returns null or the entityliving it was placed or ignited by +func_94085_r,getDefaultDisplayTileOffset,2, +func_94086_l,setDisplayTileOffset,2, +func_94087_l,getMinecartType,2, +func_94089_m,getDisplayTile,2, +func_94090_a,createMinecart,2,"Creates a new minecart of the specified type in the specified location in the given world. par0World - world to create the minecart in, double par1,par3,par5 represent x,y,z respectively. int par7 specifies the type: 1 for MinecartChest, 2 for MinecartFurnace, 3 for MinecartTNT, 4 for MinecartMobSpawner, 5 for MinecartHopper and 0 for a standard empty minecart" +func_94091_a,updateOnTrack,2, +func_94092_k,setDisplayTileData,2, +func_94093_n,getDefaultDisplayTile,2, +func_94094_j,setDisplayTile,2, +func_94095_a,killMinecart,2, +func_94096_e,setHasDisplayTile,2, +func_94097_p,getDefaultDisplayTileData,2, +func_94098_o,getDisplayTileData,2, +func_94099_q,getDisplayTileOffset,2, +func_94100_s,hasDisplayTile,2, +func_94101_h,applyDrag,2, +func_94103_c,explodeCart,2,Makes the minecart explode. +func_94105_c,ignite,2,Ignites this TNT cart. +func_94107_f,setMinecartPowered,2, +func_94108_c,isMinecartPowered,2, +func_94114_a,areItemStacksEqualItem,2, +func_94116_j,insertItemToInventory,2,Inserts one item from the hopper into the inventory the hopper is pointing at. +func_94117_a,insertStack,2,"Inserts a stack into an inventory. Args: Inventory, stack, side. Returns leftover items." +func_94119_v,getOutputInventory,2,Gets the inventory the hopper is pointing at. +func_94128_d,getAccessibleSlotsFromSide,2,Returns an array containing the indices of the slots that can be accessed by automation on the given side of this block. +func_94140_a,registerDestroyBlockIcons,2, +func_94143_a,updateIcons,2, +func_94144_a,renderBlockInMinecart,2,Renders the block that is inside the minecart. +func_94148_a,renderItemOverlayIntoGUI,2, +func_94149_a,renderIcon,2, +func_94152_c,refreshTextureMaps,2, +func_94156_a,intersection,2, +func_94157_d,getRectHeight,2, +func_94158_a,getRectX,2, +func_94159_c,getRectWidth,2, +func_94160_b,getRectY,2, +func_94165_a,getBlockIconFromSideAndMetadata,2, +func_94167_b,hasOverrideBlockTexture,2, +func_94170_a,getBlockIcon,2, +func_94171_a,renderBlockComparator,2, +func_94172_a,renderBlockHopper,2, +func_94173_a,getBlockIconFromSide,2, +func_94174_a,renderBlockRedstoneLogicMetadata,2, +func_94175_b,getBlockIcon,2, +func_94176_a,renderBlockRedstoneLogic,2, +func_94178_a,updateIcons,2, +func_94179_g,isCompatible,2, +func_94183_a,getStitchHolder,2, +func_94184_a,getAllStitchSlots,2,Gets the slot and all its subslots +func_94185_c,getOriginY,2, +func_94186_b,getOriginX,2, +func_94193_b,ceil16,2, +func_94194_d,rotate,2, +func_94195_e,isRotated,2, +func_94196_a,setNewDimension,2, +func_94197_a,getWidth,2, +func_94198_a,compareToStitchHolder,2,See Comparable.compareTo. +func_94199_b,getHeight,2, +func_94206_g,getMinV,2,Returns the minimum V coordinate to use when rendering with this icon. +func_94207_b,getInterpolatedV,2,Gets a V coordinate on the icon. 0 returns vMin and 16 returns vMax. Other arguments return in-between values. +func_94208_k,getSheetHeight,2,"Returns the height of the texture sheet this icon is on, in pixels." +func_94209_e,getMinU,2,Returns the minimum U coordinate to use when rendering with this icon. +func_94210_h,getMaxV,2,Returns the maximum V coordinate to use when rendering with this icon. +func_94211_a,getOriginX,2,"Returns the X position of this icon on its texture sheet, in pixels." +func_94212_f,getMaxU,2,Returns the maximum U coordinate to use when rendering with this icon. +func_94213_j,getSheetWidth,2,"Returns the width of the texture sheet this icon is on, in pixels." +func_94214_a,getInterpolatedU,2,Gets a U coordinate on the icon. 0 returns uMin and 16 returns uMax. Other arguments return in-between values. +func_94215_i,getIconName,2, +func_94216_b,getOriginY,2,"Returns the Y position of this icon on its texture sheet, in pixels." +func_94217_a,copyFrom,2, +func_94218_a,init,2, +func_94219_l,updateAnimation,2, +func_94220_a,makeTextureStitched,2, +func_94221_a,readAnimationInfo,2, +func_94241_a,updateCompass,2,"Updates the compass based on the given x,z coords and camera direction" +func_94245_a,registerIcon,2, +func_94246_d,getTexture,2, +func_94247_b,refreshTextures,2, +func_94248_c,updateAnimations,2, +func_94259_a,registerTexture,2, +func_94261_a,makeTexture,2, +func_94262_d,createStitcher,2, +func_94263_a,init,2, +func_94264_a,registerTexture,2, +func_94265_c,getNextTextureId,2, +func_94266_e,createTexture,2, +func_94267_b,instance,2, +func_94272_a,fillRect,2, +func_94273_h,getTextureData,2, +func_94274_a,getTextureRect,2, +func_94275_d,getWidth,2, +func_94276_e,getHeight,2, +func_94277_a,bindTexture,2, +func_94278_a,transferFromImage,2, +func_94279_c,writeImage,2, +func_94280_f,getTextureName,2, +func_94281_a,copyFrom,2, +func_94282_c,getGlTextureId,2, +func_94284_b,getTextureId,2, +func_94285_g,uploadTexture,2, +func_94305_f,doStitch,2, +func_94306_e,getTexture,2, +func_94308_a,getCeilPowerOf2,2,Returns power of 2 >= the specified value +func_94309_g,getStichSlots,2, +func_94310_b,allocateSlot,2,Attempts to find space for specified tile +func_94311_c,expandAndAllocateSlot,2,Expand stitched texture in order to make space for specified tile +func_94312_a,addStitchHolder,2, +func_94327_t_,getItemIconName,2,Gets the icon name of the ItemBlock corresponding to this block. Used by hoppers. +func_94328_b_,getComparatorInputOverride,2,"If hasComparatorInputOverride returns true, the return value from this is used instead of the redstone signal strength when this block inputs to a comparator." +func_94329_b,isAssociatedBlockID,2,Static version of isAssociatedBlockID. +func_94330_A,getUnlocalizedName2,2,Returns the unlocalized name without the tile. prefix. Caution: client-only. +func_94331_a,canPlaceBlockOnSide,2, +func_94332_a,registerIcons,2,"When this method is called, your block should register all the icons it needs with the given IconRegister. This is the only chance you get to register icons." +func_94334_h,isAssociatedBlockID,2,"Returns true if the given block ID is equivalent to this one. Example: redstoneTorchOn matches itself and redstoneTorchOff, and vice versa. Most blocks only match themselves." +func_94350_c,getPowerSupply,2,Argument is metadata. Returns power level (0-15) +func_94351_d,getPlateState,2,Returns the current state of the pressure plate. Returns a value between 0 and 15 based on the number of items on it. +func_94352_a,getSensitiveAABB,2, +func_94355_d,getMetaFromWeight,2,Argument is weight (0-15). Return the metadata to be set because of it. +func_94434_o,getIconSideOverlay,2, +func_94442_h_,getInventory,2,"Gets the inventory of the chest at the specified coords, accounting for blocks or ocelots on top of the chest, and double chests." +func_94444_j_,updateLightLevel,2, +func_94446_i,getBeaconIcon,2, +func_94448_e,getBrewingStandIcon,2, +func_94451_c,getDirectionFromMetadata,2, +func_94452_d,getIsBlockNotPoweredFromMetadata,2, +func_94453_b,getHopperIcon,2, +func_94501_a,getRailLogic,2, +func_94502_a,isMinecartTrack,2, +func_94503_c,canConnectFrom,2, +func_94504_a,setBasicRail,2, +func_94505_a,getNumberOfAdjacentTracks,2, +func_94506_c,connectToNeighbor,2, +func_94507_b,canConnectTo,2, +func_94508_a,isRailChunkPositionCorrect,2,Checks if the rail is at the chunk position it is expected to be. +func_94509_b,refreshConnectedTracks,2, +func_94510_b,isPartOfTrack,2, +func_94520_b,containsTranslateKey,2, +func_94526_b,calcRedstoneFromInventory,2, +func_94539_a,setExplosionSource,2, +func_94540_d,setExplosion,2, +func_94541_c,isExplosion,2, +func_94571_i,setBlockToAir,2,"Sets a block to 0 and notifies relevant systems with the block change Args: x, y, z" +func_94572_D,getStrongestIndirectPower,2, +func_94573_a,isBlockTickScheduled,2,"Returns true if the given block will receive a scheduled tick in the future. Args: X, Y, Z, blockID" +func_94574_k,getIndirectPowerOutput,2,"Returns the indirect signal strength being outputted by the given block in the *opposite* of the given direction. Args: X, Y, Z, direction" +func_94575_c,setBlock,2,"Sets a block and notifies relevant systems with the block change Args: x, y, z, blockID" +func_94576_a,getEntitiesWithinAABBExcludingEntity,2, +func_94577_B,getBlockPowerInput,2,"Returns the highest redstone signal strength powering the given block. Args: X, Y, Z." +func_94578_a,destroyBlock,2,"Destroys a block and optionally drops items. Args: X, Y, Z, dropItems" +func_94581_a,registerIcons,2, +func_94599_c,getItemIconForUseDuration,2,"used to cycle through icons based on their used duration, i.e. for the bow" +func_94608_d,getItemSpriteNumber,2, +func_94609_a,callTileEntityID,2, +func_94611_a,callTileEntityDataInfo,2, +func_94901_k,getSpriteNumber,2,"Returns 0 for /terrain.png, 1 for /gui/items.png" +func_96090_ax,getTranslatedEntityName,2,Returns the translated name of the entity. +func_96095_a,onActivatorRailPass,2,Called every tick the minecart is on an activator rail. +func_96096_ay,isIgnited,2,Returns true if the TNT minecart is ignited. +func_96104_c,setCommandSenderName,2,Sets the name of the command sender +func_96107_aA,getXPos,2,Gets the world X position for this hopper entity. +func_96108_aC,getZPos,2,Gets the world Z position for this hopper entity. +func_96109_aB,getYPos,2,Gets the world Y position for this hopper entity. +func_96110_f,setBlocked,2,Set whether this hopper minecart is being blocked by an activator rail. +func_96111_ay,getBlocked,2,Get whether this hopper minecart is being blocked by an activator rail. +func_96115_a,setInventoryName,2, +func_96116_a,suckItemsIntoHopper,2,Sucks one item into the given hopper from an inventory or EntityItem above it. +func_96117_b,getInventoryAtLocation,2,Gets an inventory at the given location to extract items into or take items from. Can find either a tile entity or regular entity implementing IInventory. +func_96118_b,getInventoryAboveHopper,2,"Looks for anything, that can hold items (like chests, furnaces, etc.) one block above the given hopper." +func_96123_co,getWorldScoreboard,2, +func_96124_cp,getTeam,2, +func_96125_a,displayGUIHopperMinecart,2, +func_96334_d,getScoreboardFromWorldServer,2, +func_96335_a,getScoreObjectivesList,2,"If the parameter is true, does not return read-only entries." +func_96336_d,getObjectivesList,2,Handler for the 'scoreboard objectives list' command. +func_96337_e,removeObjective,2,Handler for the 'scoreboard objectives remove' command. +func_96338_a,getTeam,2,Returns the ScorePlayerTeam for the given team name. +func_96339_l,setPlayerScore,2,Handler for the 'scoreboard players [add|remove|set]' commands. +func_96340_c,addTeam,2,Handler for the 'scoreboard teams add' command. +func_96341_k,listPlayers,2,Handler for the 'scoreboard players list' command. +func_96342_g,joinTeam,2,Handler for the 'scoreboard teams join' command. +func_96343_e,removeTeam,2,Handler for the 'scoreboard teams remove' command. +func_96344_f,getTeamList,2,Handler for the 'scoreboard teams list' command. +func_96345_a,getScoreObjective,2,"User-safe version of Scoreboard.getObjective, does checks against the objective not being found and whether it's read-only or not. If true, the second parameter makes the function throw an exception if the objective is read-only." +func_96346_i,emptyTeam,2,Handler for the 'scoreboard teams empty' command. +func_96347_j,setObjectivesDisplay,2,Handler for the 'scoreboard objectives setdisplay' command. +func_96348_d,setTeamOption,2,Handler for the 'scoreboard teams option' command. +func_96349_h,leaveTeam,2,Handler for the 'scoreboard teams leave' command. +func_96350_b,addObjective,2,Handler for the 'scoreboard objectives add' command. +func_96351_m,resetPlayerScore,2,Handler for the 'scoreboard players reset' command. +func_96435_a,handleSetPlayerTeam,2,Handle a set player team packet. +func_96436_a,handleSetObjective,2,Handle a set objective packet. +func_96437_a,handleSetScore,2,Handle a set score packet. +func_96438_a,handleSetDisplayObjective,2,Handle a set display objective packet. +func_96439_d,notifyBlocksOfNeighborChange,2,"Calls notifyBlockOfNeighborChange on adjacent blocks, except the one on the given side. Args: X, Y, Z, changingBlockID, side" +func_96441_U,getScoreboard,2, +func_96444_a,mixAoBrightness,2, +func_96445_r,renderBlockQuartz,2, +func_96446_b,getIconSafe,2, +func_96447_a,renderBlockHopperMetadata,2, +func_96448_c,getMissingIcon,2, +func_96455_e,getMissingIcon,2, +func_96468_q_,hasComparatorInputOverride,2,"If this returns true, then comparators facing away from this block will use the value from getComparatorInputOverride instead of the actual redstone signal strength." +func_96471_k,updateMetadata,2,Updates the Metadata to include if the Hopper gets powered by Redstone or not +func_96472_a,getBehaviorForItemStack,2,Returns the behavior for the given ItemStack. +func_96475_a_,getTileEntityComparator,2,Returns the blockTileEntity at given coordinates. +func_96477_c,markOrGrowMarked,2, +func_96478_d,setBlockBoundsForSnowDepth,2,"calls setBlockBounds based on the depth of the snow. Int is any values 0x0-0x7, usually this blocks metadata." +func_96509_i,getPlayersTeam,2,Gets the ScorePlayerTeam object for the given username. +func_96512_b,removePlayerFromTeam,2,Removes the given username from the given ScorePlayerTeam. If the player is not on the team then an IllegalStateException is thrown. +func_96514_c,getScoreObjectives,2, +func_96517_b,getObjectiveDisplaySlot,2,"Returns 'list' for 0, 'sidebar' for 1, 'belowName for 2, otherwise null." +func_96518_b,getObjective,2,Returns a ScoreObjective for the objective name +func_96526_d,getObjectiveNames,2, +func_96537_j,getObjectiveDisplaySlotNumber,2,"Returns 0 for (case-insensitive) 'list', 1 for 'sidebar', 2 for 'belowName', otherwise -1." +func_96556_a,callServerMemoryStats,2, +func_96557_a,callServerProfiler,2, +func_96559_d,getFrontOffsetY,2, +func_96563_a,callEntityName,2, +func_96631_a,attemptDamageItem,2,"Attempts to damage the ItemStack with par1 amount of damage, If the ItemStack has the Unbreaking enchantment there is a chance for each point of damage to be negated. Returns true if it takes more damage than getMaxDamage(). Returns false otherwise or if the ItemStack can't be damaged or if all points of damage are negated." +func_96632_a,callItemDisplayName,2, +func_96637_b,isReadOnly,2, +func_96670_d,getMembershipCollection,2, +func_96678_d,getDisplayName,2, +func_96679_b,getName,2, +func_96680_c,getCriteria,2, +func_96681_a,setDisplayName,2, +func_96682_a,getScoreboard,2, +func_98033_al,getLogAgent,2, +func_98035_c,addNotRiddenEntityID,2, +func_98042_n,setTransferTicker,2,"Sets the transfer ticker, used to determine the delay between transfers." +func_98043_aE,canTransfer,2,Returns whether the hopper cart can currently transfer an item. +func_98046_c,setTransferCooldown,2, +func_98047_l,isCoolingDown,2, +func_98052_bS,canPickUpLoot,2, +func_98053_h,setCanPickUpLoot,2, +func_98076_a,getServerLogger,2, +func_98145_a,createEmptyTexture,2, +func_98146_d,getBasename,2,"Strips directory and file extension from the specified path, returning only the filename" +func_98147_a,hasAnimationTxt,2,Returns true if specified texture pack contains animation data for the specified texture file +func_98152_d,getAllUsernames,2, +func_98179_a,computeLightValue,2, +func_98180_V,getWorldLogAgent,2, +func_98182_a,handleWorldParticles,2,Handle a world particles packet. +func_98184_a,setupTextureExt,2, +func_98185_a,resetBoundTexture,2, +func_98186_a,colorToAnaglyph,2, +func_98187_b,bindTexture,2, +func_98194_g,getPositionY,2,Gets the Y position of the particle. +func_98195_d,getParticleName,2, +func_98196_i,getOffsetX,2,This is added to the X position after being multiplied by random.nextGaussian() +func_98197_l,getSpeed,2,Gets the speed of the particles. +func_98198_h,getPositionZ,2,Gets the Z position of the particle. +func_98199_k,getOffsetZ,2,This is added to the Z position after being multiplied by random.nextGaussian() +func_98200_f,getPositionX,2,Gets the X position of the particle. +func_98201_j,getOffsetY,2,This is added to the Y position after being multiplied by random.nextGaussian() +func_98202_m,getQuantity,2,Gets the number of particles to create. +func_98213_d,getHopperTile,2, +func_98225_a,getPacketClass,2, +func_98230_d,logFine,2, +func_98231_b,logWarningFormatted,2, +func_98232_c,logSevere,2, +func_98233_a,logInfo,2, +func_98234_c,logSevereException,2, +func_98235_b,logWarningException,2, +func_98236_b,logWarning,2, +func_98238_b,setupLogger,2,Sets up the logger for usage. +func_98243_a,callPacketID,2, +func_98266_d,getSpawnerZ,2, +func_98268_b,setDelayToMin,2,"Sets the delay to minDelay if parameter given is 1, else return false." +func_98269_i,getRandomMinecart,2, +func_98270_a,readFromNBT,2, +func_98271_a,getSpawnerWorld,2, +func_98272_a,setMobID,2, +func_98274_c,getSpawnerY,2, +func_98275_b,getSpawnerX,2, +func_98276_e,getEntityNameToSpawn,2,Gets the entity name that should be spawned. +func_98277_a,setRandomMinecart,2, +func_98278_g,updateSpawner,2, +func_98279_f,canRun,2,Returns true if there's a player close enough to this mob spawner to activate it. +func_98280_b,writeToNBT,2, +func_98304_a,readFontData,2, +func_98305_c,readFontTexture,2, +func_98306_d,readGlyphSizes,2, diff --git a/mix.exs b/mix.exs new file mode 100644 index 0000000..39352c8 --- /dev/null +++ b/mix.exs @@ -0,0 +1,29 @@ +defmodule PortingTools.MixProject do + use Mix.Project + + def project do + [ + app: :portingtools, + version: "0.1.0", + elixir: "~> 1.14", + start_permanent: Mix.env() == :prod, + deps: deps() + ] + end + + # Run "mix help compile.app" to learn about applications. + def application do + [ + extra_applications: [:logger], + mod: {PortingTools.Application, []} + ] + end + + # Run "mix help deps" to learn about dependencies. + defp deps do + [ + # {:dep_from_hexpm, "~> 0.3.0"}, + # {:dep_from_git, git: "https://github.com/elixir-lang/my_dep.git", tag: "0.1.0"} + ] + end +end diff --git a/test/portingtools_test.exs b/test/portingtools_test.exs new file mode 100644 index 0000000..7b3f2b7 --- /dev/null +++ b/test/portingtools_test.exs @@ -0,0 +1,8 @@ +defmodule PortingtoolsTest do + use ExUnit.Case + doctest Portingtools + + test "greets the world" do + assert Portingtools.hello() == :world + end +end diff --git a/test/test_helper.exs b/test/test_helper.exs new file mode 100644 index 0000000..869559e --- /dev/null +++ b/test/test_helper.exs @@ -0,0 +1 @@ +ExUnit.start()