Modding:Добавление поведения Блока
Эта страница проверялась в последний раз для версии Vintage Story 1.19.3.
Введение
Некоторые блоки в игре имеют особое поведение, например песок, гравий могут осыпаться, это и называется поведением блока. Поведения блоков полезны, когда вы хотите, чтобы разные блоки действовали одинаково, поскольку вы можете прикрепить одно или несколько поведений к произвольному количеству блоков. Возможно, вам захочется взглянуть на существующие Поведения Блоков, прежде чем реализовывать свои собственные.
В этом уроке мы создадим новое поведение(Behavior), которое можно будет прикреплять к блокам, чтобы сделать их подвижными, нажав правую кнопку мыши.
== Настройка ==
A development workspace is required. Additionally you will need the assets (blocktype, texture and lang file). You can either create your one owns or use those pre-made ones: Moving - No CS File.zip
Creating the behavior
So first of all we need to create the behavior itself, which is a class extending BlockBehavior
class Moving : BlockBehavior
{
public Moving(Block block) : base(block)
{
}
}
This class provides several methods we can override. When you use Visual Studio you can find a full list of a methods by hovering with the mouse of "BlockBehavior" and pressing "F12".
The method bool OnBlockInteractStart(IWorldAccessor world, IPlayer byPlayer, BlockSelection blockSel, ref EnumHandling handling)
looks to be ideal for our purpose.
What should it do?
- Calculate the new position to move the block to, based on the block face the player is looking at.
- Check if the block can be placed at this new position.
- Remove the block at the old position.
- Place the same type of block at the new position.
- Skip the default logic that would otherwise place whatever item is held at the old position.
public override bool OnBlockInteractStart(IWorldAccessor world, IPlayer byPlayer, BlockSelection blockSel, ref EnumHandling handling)
{
// Find the target position
BlockPos pos = blockSel.Position.AddCopy(blockSel.Face.Opposite);
// Can we place the block there?
if (world.BlockAccessor.GetBlock(pos).IsReplacableBy(block))
{
// Remove the block at the current position and place it at the target position
world.BlockAccessor.SetBlock(0, blockSel.Position);
world.BlockAccessor.SetBlock(block.BlockId, pos);
}
// Notify the game engine other block behaviors that we handled the players interaction with the block.
// If we would not set the handling field the player would still be able to place blocks if he has them in hands.
handling = EnumHandling.PreventDefault;
return true;
}
Register
In order the register the BlockBehavior we need to create a mod class, override Start(ICoreAPI)
and register it with the given name:
public class MovingBlocks : ModSystem
{
public override void Start(ICoreAPI api)
{
base.Start(api);
api.RegisterBlockBehaviorClass("Moving", typeof(Moving));
}
}
Distribution
In order to finish everything, open the modtools and type in pack <your mod id>
. Now you can take the zip file and share it with other people.
- for VS 1.9: Moving_v1.0.0.zip
- for VS 1.6: Moving.zip
Testing
Advanced Behavior
Our behavior is still rather simple, but there are a lot more possibilities. A behavior can have special properties, which can be defined by the blocktype itself.
Example
The behavior liquid supports some special properties as shown in this example of the water blocktype:
behaviors: [
{
name: "FiniteSpreadingLiquid",
properties:
{
spreadDelay: 150,
liquidCollisionSound: "hotmetal",
sourceReplacementCode: "obsidian",
flowingReplacementCode: "basalt"
}
}
],
Parsing properties
In order to take care of special properties there is a method called Initialize(JsonObject)
. Each blocktype creates a new instance of the behavior, so the method can be used to parse the properties.
So what kind of properties could we add?
- push distance
- pull block if player is sneaking
First of all, we need to override the method in our block behavior class ...
public override void Initialize(JsonObject properties)
{
base.Initialize(properties);
}
Additionally we need to add two fields, one for the distance and another one if the player should pull the block while sneaking ...
public int distance = 1;
public bool pull = false;
Now we can parse the two properties like so:
distance = properties["distance"].AsInt(1);
pull = properties["pull"].AsBool(false);
The next thing we need to change is the interact method itself, so that it takes care of the distance and the pull properties ...
public override bool OnBlockInteractStart(IWorldAccessor world, IPlayer byPlayer, BlockSelection blockSel, ref EnumHandling handling)
{
// Find the target position
BlockPos pos = blockSel.Position.AddCopy(pull && byPlayer.WorldData.EntityControls.Sneak ? blockSel.Face : blockSel.Face.Opposite, distance);
// Can we place the block there?
if (world.BlockAccessor.GetBlock(pos).IsReplacableBy(block))
{
// Remove the block at the current position and place it at the target position
world.BlockAccessor.SetBlock(0, blockSel.Position);
world.BlockAccessor.SetBlock(block.BlockId, pos);
}
// Notify the game engine other block behaviors that we handled the players interaction with the block.
// If we would not set the handling field the player would still be able to place blocks if he has them in hands.
handling = EnumHandling.PreventDefault;
return true;
}
Adding another block
Let's create another block using this behavior, but this time we will configure some additional properties ...
behaviors: [
{
name: "Moving",
properties: {
"distance": 2,
"pull": true
}
}
],
The block will be pushed two blocks instead of one and the player can pull it by sneaking while right clicking.
Mod Download
- for VS 1.9: AdvancedMoving_v1.0.0.zip
- for VS 1.6: AdvancedMoving.zip
Wondering where some links have gone?
The modding navbox is going through some changes! Check out Navigation Box Updates for more info and help finding specific pages.
Modding | |
---|---|
Modding Introduction | Getting Started • Пакет тем |
Content Modding | Content Mods • Developing a Content Mod • Basic Tutorials • Intermediate Tutorials • Advanced Tutorials • Content Mod Concepts |
Code Modding | Code Mods • Setting up your Development Environment |
Property Overview | Item • Entity • Entity Behaviors • Block • Block Behaviors • Block Classes • Block Entities • Block Entity Behaviors • Collectible Behaviors • World properties |
Workflows & Infrastructure | Modding Efficiency Tips • Mod-engine compatibility • Mod Extensibility • VS Engine |
Additional Resources | Community Resources • Modding API Updates • Programming Languages • List of server commands • List of client commands • Client startup parameters • Server startup parameters Example Mods • API Docs • GitHub Repository |