Jump to content

[1.14.3] Syncing changes to capability


eafooe

Recommended Posts

Hi all,

I have made a capability (see spoiler) that I attach to vanilla VillagerEntity instances during the AttachCapabilitiesEvent<Entity>:

@SubscribeEvent
    public static void attachEntityCapabilities(AttachCapabilitiesEvent<Entity> event){
        if (event.getObject() instanceof VillagerEntity){
            event.addCapability(NoseProvider.IDENTIFIER, new NoseProvider());
        }
    }

Currently, the capability has one boolean, 'hasNose' which allows me to know whether the VillagerEntity instance has a nose, or whether it was removed by the player.

 

Spoiler

INose.java


public interface INose {
    boolean hasNose();
    void setHasNose(boolean hasNose);
}

 

Nose.java


public class Nose implements INose {
    private boolean hasNose = true;

    @Override
    public boolean hasNose() {
        return hasNose;
    }

    @Override
    public void setHasNose(boolean hasNose) {
        this.hasNose = hasNose;
    }
}

NoseStorage.java


public class NoseStorage implements Capability.IStorage<INose> {

    @Nullable
    @Override
    public INBT writeNBT(Capability<INose> capability, INose instance, Direction side) {
        VillagersNose.LOGGER.info("Writing HasNose: " + instance.hasNose() + " to NBT");
        CompoundNBT nbt = new CompoundNBT();
        nbt.putBoolean("HasNose", instance.hasNose());
        return nbt;
    }

    @Override
    public void readNBT(Capability<INose> capability, INose instance, Direction side, INBT nbt) {
        CompoundNBT hi = (CompoundNBT) nbt;
        instance.setHasNose(hi.getBoolean("HasNose"));
        VillagersNose.LOGGER.info("Read HasNose: " + hi.getBoolean("HasNose") + " from NBT");
        VillagersNose.LOGGER.info("HasNose is now equal to: " + instance.hasNose());
    }
}

NoseProvider.java


public class NoseProvider implements ICapabilitySerializable<INBT> {
    public static final ResourceLocation IDENTIFIER = new ResourceLocation(MODID, "capability_nose");

    @CapabilityInject(INose.class)
    public static Capability<INose> NOSE_CAP = null;

    private INose instance = NOSE_CAP.getDefaultInstance();

    @Override
    public INBT serializeNBT() {
        VillagersNose.LOGGER.info("Serializing NBT...");
        return NOSE_CAP.getStorage().writeNBT(NOSE_CAP, instance, null);
    }

    @Override
    public void deserializeNBT(INBT nbt) {
        VillagersNose.LOGGER.info("Deserializing NBT...");
        NOSE_CAP.getStorage().readNBT(NOSE_CAP, instance, null, nbt);
    }

    @Nonnull
    @Override
    public <T> LazyOptional<T> getCapability(@Nonnull Capability<T> cap, @Nullable Direction side) {
        return NOSE_CAP.orEmpty(cap, LazyOptional.of(() -> instance));
    }
}

 

If 'hasNose' is set to false, the VillagerEntity instance should render without a nose. I believe I need to send a packet from the server and to the client with this information during the events specified in the following quote?:

 

On 6/8/2019 at 8:12 AM, diesieben07 said:

To keep entity data up to date on the client you must sync in the following places:

  • PlayerEvent.StartTracking when PlayerEvent.StartTracking#getTarget is your entity (or has your capability in this case). Send the packet to PlayerEvent.StartTracking#getEntityPlayer.
  • EntityJoinWorldEvent when EntityJoinWorldEvent#getEntity is your entity (or has your capability in this case). Send the packet to all players tracking the entity (EntityTracker#getTrackingPlayers or use PacketDistributor.TRACKING_ENTITY when using NetworkRegistry.newSimpleChannel).
  • Whenever the data changes send the packet to all players tracking the entity (see above).

I have a packet class set up, but I'm not sure what I should put in the handle method to make sure the client gets the data that it needs.

 

public class ClientPacket {
    private int entityId;

    public ClientPacket(int entityId){
        this.entityId = entityId;
    }

    static void encode(ClientPacket msg, PacketBuffer buffer){
        buffer.writeInt(msg.entityId);
        VillagersNose.LOGGER.info("Wrote entityId: " + buffer.readInt());
    }

    static ClientPacket decode(PacketBuffer buffer){
        int entityId = buffer.readInt();
        VillagersNose.LOGGER.info("Read entityId: " + entityId);
        return new ClientPacket(entityId);
    }

    // Send from server to client
    static void handle(ClientPacket msg, Supplier<NetworkEvent.Context> ctx){
        ctx.get().enqueueWork(() -> {
            // ?
          // ? I've tried all sorts of things here but nothing seems to work
          // ?
        });
        ctx.get().setPacketHandled(true);
    }
}

In addition to the handle method, I want to ensure that I am sending my packet correctly. Is the following code what I should be doing?

// Send to all players tracking entity
    @SubscribeEvent
    public static void entityJoinWorldEvent(EntityJoinWorldEvent event){
        Entity entity = event.getEntity();
        if (entity instanceof VillagerEntity && !event.getWorld().isRemote){
            PacketDistributor.PacketTarget dest = PacketDistributor.TRACKING_ENTITY.with(() -> entity);
            PacketHandler.INSTANCE.send(dest, new ClientPacket(entity.getEntityId()));
        }
    }

I know this is kind of a lengthy question, so thank you for taking your time to help me out.

Edited by eafooe
Link to comment
Share on other sites

3 hours ago, eafooe said:

static void encode(ClientPacket msg, PacketBuffer buffer){

You should also probably write into the packet buffer the boolean about the nose here. And then of course retrieve it where in decode.

 

3 hours ago, eafooe said:

static void handle(ClientPacket msg, Supplier<NetworkEvent.Context> ctx){

Then here get the entity from the ID and then change the nose value.

3 hours ago, eafooe said:

public static void entityJoinWorldEvent(EntityJoinWorldEvent event){

This is the wrong event. Use the PlayerEvent.StartTracking

  • Thanks 1

VANILLA MINECRAFT CLASSES ARE THE BEST RESOURCES WHEN MODDING

I will be posting 1.15.2 modding tutorials on this channel. If you want to be notified of it do the normal YouTube stuff like subscribing, ect.

Forge and vanilla BlockState generator.

Link to comment
Share on other sites

6 hours ago, loordgek said:

make a field holding the LazyOptional that makes it possible to cache the capability

Like this?

public class NoseProvider implements ICapabilitySerializable<INBT> {
    public static final ResourceLocation IDENTIFIER = new ResourceLocation(MODID, "capability_nose");

    @CapabilityInject(INose.class)
    public static Capability<INose> NOSE_CAP = null;

    private INose instance = NOSE_CAP.getDefaultInstance();
    private final LazyOptional<INose> holder = LazyOptional.of(() -> instance);

    @Override
    public INBT serializeNBT() {
        VillagersNose.LOGGER.info("Serializing NBT...");
        return NOSE_CAP.getStorage().writeNBT(NOSE_CAP, instance, null);
    }

    @Override
    public void deserializeNBT(INBT nbt) {
        VillagersNose.LOGGER.info("Deserializing NBT...");
        NOSE_CAP.getStorage().readNBT(NOSE_CAP, instance, null, nbt);
    }

    @Nonnull
    @Override
    public <T> LazyOptional<T> getCapability(@Nonnull Capability<T> cap, @Nullable Direction side) 	   {
        return NOSE_CAP.orEmpty(cap, holder);
    }
}
  • Thanks 1
Link to comment
Share on other sites

10 minutes ago, diesieben07 said:

Don't blindly return your capability in getCapability. You must return an empty optional if the queried capability is not present in your provider.

Is this what you mean?

@Nonnull
    @Override
    public <T> LazyOptional<T> getCapability(@Nonnull Capability<T> cap, @Nullable Direction side) {
        if (cap == NOSE_CAP){
            return holder.cast();
        }
        return LazyOptional.empty();
    }

 

 

Link to comment
Share on other sites

Join the conversation

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

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

×   Pasted as rich text.   Restore formatting

  Only 75 emoji are allowed.

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

×   Your previous content has been restored.   Clear editor

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

Announcements



  • Recently Browsing

    • No registered users viewing this page.
  • Posts

    • You have to set the java path in your start script
    • i tried that and i got rid of java to install the new one but it still says i have the old one and i cant get the new one because of the old one  
    • Я создал босса для Майнкрафт и когда он вызывается «Произошла непредвиденная ошибка при попытке выполнить эту команду» и в описании «Не удается вызвать ошибку "net.minecraft.world.entity.ai.attributes.attribute instance.m_22100_ (double)", потому что возвращаемое значение "net.minecraft.world.entity.monster.zombie.m_21051_ (net.minecraft.world.entity.ai.attributes.attribute)" имеет значение null. Я не до конца понимаю, в чем ошибка. Но, похоже, это связано с атрибутами. Помогите пожалуйста разобраться   Вот сам класс босса: package org.mymod.afraid; import net.minecraft.world.entity.EntityType; import net.minecraft.world.entity.EquipmentSlot; import net.minecraft.world.entity.ai.attributes.AttributeSupplier; import net.minecraft.world.entity.ai.attributes.Attributes; import net.minecraft.world.entity.ai.goal.*; import net.minecraft.world.entity.ai.goal.target.HurtByTargetGoal; import net.minecraft.world.entity.ai.goal.target.NearestAttackableTargetGoal; import net.minecraft.world.entity.monster.Zombie; import net.minecraft.world.entity.player.Player; import net.minecraft.world.item.ItemStack; import net.minecraft.world.item.Items; import net.minecraft.world.level.Level; import net.minecraft.world.damagesource.DamageSource; import net.minecraft.world.phys.Vec3; import net.minecraft.core.BlockPos; import net.minecraft.world.level.block.Blocks; import net.minecraft.world.entity.projectile.SmallFireball; import org.jetbrains.annotations.NotNull; public class AfraidBoss extends Zombie { private static final int MAX_HEALTH = 1000; private static final double ATTACK_DAMAGE = 10.0D; private static final double FOLLOW_RANGE = 50.0D; private static final double ATTACK_KNOCKBACK = 1.0D; private static final double MOVEMENT_SPEED = 0.25D; private static final int TELEPORT_RADIUS = 20; private static final int FIREBALL_COOLDOWN = 100; // 5 seconds (20 ticks per second) private static final int FIREBALL_COUNT = 3; private int fireballCooldown = 0; private int fireDashCooldown = 0; public AfraidBoss(EntityType<? extends Zombie> type, Level level) { super(type, level); this.setHealth(MAX_HEALTH); this.setItemSlot(EquipmentSlot.MAINHAND, new ItemStack(Items.DIAMOND_SWORD)); this.setItemSlot(EquipmentSlot.OFFHAND, new ItemStack(Items.DIAMOND_SWORD)); } @Override protected void registerGoals() { this.goalSelector.addGoal(1, new MeleeAttackGoal(this, 1.0, true)); this.goalSelector.addGoal(2, new MoveTowardsTargetGoal(this, 1.0, (float) TELEPORT_RADIUS)); this.goalSelector.addGoal(3, new LookAtPlayerGoal(this, Player.class, 8.0F)); this.goalSelector.addGoal(4, new WaterAvoidingRandomStrollGoal(this, 1.0)); this.goalSelector.addGoal(5, new HurtByTargetGoal(this)); this.targetSelector.addGoal(1, new NearestAttackableTargetGoal<>(this, Player.class, true)); } @Override public void aiStep() { super.aiStep(); if (this.getTarget() instanceof Player) { Player player = (Player) this.getTarget(); double distanceToPlayer = this.distanceToSqr(player); // Fire Dash ability if (distanceToPlayer <= TELEPORT_RADIUS * TELEPORT_RADIUS && fireDashCooldown == 0) { this.fireDash(player); fireDashCooldown = 200; // Cooldown for fire dash (10 seconds) } // Fireball attack if (fireballCooldown == 0) { this.shootFireballs(player); fireballCooldown = FIREBALL_COOLDOWN; // Cooldown for fireball attack (5 seconds) } // Decrement cooldowns if (fireDashCooldown > 0) { fireDashCooldown--; } if (fireballCooldown > 0) { fireballCooldown--; } } } private void fireDash(Player player) { Vec3 direction = player.position().subtract(this.position()).normalize(); Vec3 newPos = this.position().add(direction.scale(10)); this.teleportTo(newPos.x, newPos.y, newPos.z); this.createFireTrail(newPos); player.hurt(DamageSource.mobAttack(this), 20.0F); // Damage the player } private void createFireTrail(Vec3 position) { for (int x = -2; x <= 2; x++) { for (int z = -2; z <= 2; z++) { BlockPos firePos = new BlockPos(position.x + x, position.y, position.z + z); this.level.setBlock(firePos, Blocks.FIRE.defaultBlockState(), 11); } } } private void shootFireballs(Player player) { Vec3 direction = player.position().subtract(this.position()).normalize(); for (int i = 0; i < FIREBALL_COUNT; i++) { SmallFireball fireball = new SmallFireball(this.level, this, direction.x, direction.y, direction.z); fireball.setPos(this.getX() + direction.x, this.getY() + direction.y, this.getZ() + direction.z); this.level.addFreshEntity(fireball); } } public static AttributeSupplier.Builder createAttributes() { return Zombie.createMobAttributes() .add(Attributes.MAX_HEALTH, MAX_HEALTH) .add(Attributes.ATTACK_DAMAGE, ATTACK_DAMAGE) .add(Attributes.FOLLOW_RANGE, FOLLOW_RANGE) .add(Attributes.ATTACK_KNOCKBACK, ATTACK_KNOCKBACK) .add(Attributes.MOVEMENT_SPEED, MOVEMENT_SPEED); } @Override public boolean hurt(@NotNull DamageSource source, float amount) { boolean flag = super.hurt(source, amount); if (flag && source.getEntity() instanceof Player) { Player player = (Player) source.getEntity(); if (this.random.nextInt(10) == 0) { this.teleportAndAttack(player); } } return flag; } private void teleportAndAttack(Player player) { Vec3 randomPos = player.position().add((this.random.nextDouble() - 0.5) * 4, 0, (this.random.nextDouble() - 0.5) * 4); if (this.randomTeleport(randomPos.x, randomPos.y, randomPos.z, true)) { player.hurt(DamageSource.mobAttack(this), 10.0F); // Damage the player } } }  
    • Make a test with another Launcher like MultiMC, AT Launcher or Technic Launcher
  • Topics

×
×
  • Create New...

Important Information

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