97 lines
2.3 KiB
C++
97 lines
2.3 KiB
C++
|
|
#pragma once
|
|
|
|
#include "BlockHandler.h"
|
|
#include "../MersenneTwister.h"
|
|
|
|
|
|
|
|
|
|
|
|
/// Handler used for both dirt and grass
|
|
class cBlockDirtHandler :
|
|
public cBlockHandler
|
|
{
|
|
public:
|
|
cBlockDirtHandler(BLOCKTYPE a_BlockType)
|
|
: cBlockHandler(a_BlockType)
|
|
{
|
|
}
|
|
|
|
|
|
virtual void ConvertToPickups(cItems & a_Pickups, NIBBLETYPE a_BlockMeta) override
|
|
{
|
|
a_Pickups.push_back(cItem(E_BLOCK_DIRT, 1, 0));
|
|
}
|
|
|
|
|
|
virtual void OnUpdate(cChunkInterface & cChunkInterface, cWorldInterface & a_WorldInterface, cBlockPluginInterface & a_PluginInterface, cChunk & a_Chunk, int a_RelX, int a_RelY, int a_RelZ) override
|
|
{
|
|
if (m_BlockType != E_BLOCK_GRASS)
|
|
{
|
|
return;
|
|
}
|
|
|
|
// Grass becomes dirt if there is something on top of it:
|
|
if (a_RelY < cChunkDef::Height - 1)
|
|
{
|
|
BLOCKTYPE Above = a_Chunk.GetBlock(a_RelX, a_RelY + 1, a_RelZ);
|
|
if ((!g_BlockTransparent[Above] && !g_BlockOneHitDig[Above]) || IsBlockWater(Above))
|
|
{
|
|
a_Chunk.FastSetBlock(a_RelX, a_RelY, a_RelZ, E_BLOCK_DIRT, E_META_DIRT_NORMAL);
|
|
return;
|
|
}
|
|
}
|
|
|
|
// Grass spreads to adjacent dirt blocks:
|
|
MTRand rand; // TODO: Replace with cFastRandom
|
|
for (int i = 0; i < 2; i++) // Pick two blocks to grow to
|
|
{
|
|
int OfsX = rand.randInt(2) - 1; // [-1 .. 1]
|
|
int OfsY = rand.randInt(4) - 3; // [-3 .. 1]
|
|
int OfsZ = rand.randInt(2) - 1; // [-1 .. 1]
|
|
|
|
BLOCKTYPE DestBlock;
|
|
NIBBLETYPE DestMeta;
|
|
if ((a_RelY + OfsY < 0) || (a_RelY + OfsY >= cChunkDef::Height - 1))
|
|
{
|
|
// Y Coord out of range
|
|
continue;
|
|
}
|
|
int BlockX = a_RelX + OfsX;
|
|
int BlockY = a_RelY + OfsY;
|
|
int BlockZ = a_RelZ + OfsZ;
|
|
cChunk * Chunk = a_Chunk.GetRelNeighborChunkAdjustCoords(BlockX, BlockZ);
|
|
if (Chunk == NULL)
|
|
{
|
|
// Unloaded chunk
|
|
continue;
|
|
}
|
|
Chunk->GetBlockTypeMeta(BlockX, BlockY, BlockZ, DestBlock, DestMeta);
|
|
if ((DestBlock != E_BLOCK_DIRT) || (DestMeta != E_META_DIRT_NORMAL))
|
|
{
|
|
// Not a regular dirt block
|
|
continue;
|
|
}
|
|
|
|
BLOCKTYPE AboveDest;
|
|
NIBBLETYPE AboveMeta;
|
|
Chunk->GetBlockTypeMeta(BlockX, BlockY + 1, BlockZ, AboveDest, AboveMeta);
|
|
if ((g_BlockOneHitDig[AboveDest] || g_BlockTransparent[AboveDest]) && !IsBlockWater(AboveDest))
|
|
{
|
|
Chunk->FastSetBlock(BlockX, BlockY, BlockZ, E_BLOCK_GRASS, 0);
|
|
}
|
|
} // for i - repeat twice
|
|
}
|
|
|
|
|
|
virtual const char * GetStepSound(void) override
|
|
{
|
|
return "step.gravel";
|
|
}
|
|
} ;
|
|
|
|
|
|
|
|
|