use of org.lanternpowered.server.event.CauseStack in project LanternServer by LanternPowered.
the class LanternCommandManager method process.
@Override
public CommandResult process(CommandSource source, String commandLine) {
checkNotNull(source, "source");
final String[] argSplit = commandLine.split(" ", 2);
final CauseStack causeStack = CauseStack.currentOrEmpty();
try (CauseStack.Frame frame = causeStack.pushCauseFrame()) {
frame.pushCause(source);
final SendCommandEvent event = SpongeEventFactory.createSendCommandEvent(frame.getCurrentCause(), argSplit.length > 1 ? argSplit[1] : "", argSplit[0], CommandResult.empty());
Sponge.getGame().getEventManager().post(event);
if (event.isCancelled()) {
return event.getResult();
}
// Only the first part of argSplit is used at the moment, do the other in the future if needed.
argSplit[0] = event.getCommand();
commandLine = event.getCommand();
if (!event.getArguments().isEmpty()) {
commandLine = commandLine + ' ' + event.getArguments();
}
try {
return this.dispatcher.process(source, commandLine);
} catch (InvocationCommandException ex) {
if (ex.getCause() != null) {
throw ex.getCause();
}
} catch (CommandPermissionException ex) {
Text text = ex.getText();
if (text != null) {
source.sendMessage(error(text));
}
} catch (CommandException ex) {
Text text = ex.getText();
if (text != null) {
source.sendMessage(error(text));
}
if (ex.shouldIncludeUsage()) {
final Optional<CommandMapping> mapping = this.dispatcher.get(argSplit[0], source);
mapping.ifPresent(commandMapping -> source.sendMessage(error(t("commands.generic.usage", t("/%s %s", argSplit[0], commandMapping.getCallable().getUsage(source))))));
}
}
} catch (Throwable thr) {
final Text.Builder excBuilder;
if (thr instanceof TextMessageException) {
final Text text = ((TextMessageException) thr).getText();
excBuilder = text == null ? Text.builder("null") : Text.builder().append(text);
} else {
excBuilder = Text.builder(String.valueOf(thr.getMessage()));
}
if (source.hasPermission("sponge.debug.hover-stacktrace")) {
final StringWriter writer = new StringWriter();
thr.printStackTrace(new PrintWriter(writer));
excBuilder.onHover(TextActions.showText(Text.of(writer.toString().replace("\t", " ").replace("\r\n", "\n").replace("\r", // I mean I guess somebody could be running this on like OS 9?
"\n"))));
}
source.sendMessage(error(t("Error occurred while executing command: %s", excBuilder.build())));
this.logger.error(LanternTexts.toLegacy(t("Error occurred while executing command '%s' for source %s: %s", commandLine, source.toString(), String.valueOf(thr.getMessage()))), thr);
}
return CommandResult.empty();
}
use of org.lanternpowered.server.event.CauseStack in project LanternServer by LanternPowered.
the class BanConfig method removeBan.
@Override
public boolean removeBan(Ban ban) {
checkNotNull(ban, "ban");
if (this.entries0.remove(ban)) {
final CauseStack causeStack = CauseStack.currentOrEmpty();
// Post the pardon events
final Event event;
final Cause cause = causeStack.getCurrentCause();
if (ban instanceof Ban.Ip) {
event = SpongeEventFactory.createPardonIpEvent(cause, (Ban.Ip) ban);
} else {
final Ban.Profile profileBan = (Ban.Profile) ban;
// Check if the pardoned player is online (not yet been kicked)
final Optional<Player> optTarget = Sponge.getServer().getPlayer(profileBan.getProfile().getUniqueId());
if (optTarget.isPresent()) {
event = SpongeEventFactory.createPardonUserEventTargetPlayer(cause, profileBan, optTarget.get(), optTarget.get());
} else {
event = SpongeEventFactory.createPardonUserEvent(cause, profileBan, Lantern.getGame().getServiceManager().provideUnchecked(UserStorageService.class).getOrCreate(profileBan.getProfile()));
}
}
// Just ignore for now the fact that they may be cancellable,
// only the PardonIpEvent seems to be cancellable
// TODO: Should they all be cancellable or none of them?
Sponge.getEventManager().post(event);
return true;
}
return false;
}
use of org.lanternpowered.server.event.CauseStack in project LanternServer by LanternPowered.
the class HandlerPlayInChatMessage method handle.
@Override
public void handle(NetworkContext context, MessagePlayInChatMessage message) {
final NetworkSession session = context.getSession();
final LanternPlayer player = session.getPlayer();
player.resetIdleTimeoutCounter();
final String message0 = message.getMessage();
// Check for a valid click action callback
final Matcher matcher = LanternClickActionCallbacks.COMMAND_PATTERN.matcher(message0);
if (matcher.matches()) {
final UUID uniqueId = UUID.fromString(matcher.group(1));
final Optional<Consumer<CommandSource>> callback = LanternClickActionCallbacks.get().getCallbackForUUID(uniqueId);
if (callback.isPresent()) {
callback.get().accept(player);
} else {
player.sendMessage(error(t("The callback you provided was not valid. Keep in mind that callbacks will expire " + "after 10 minutes, so you might want to consider clicking faster next time!")));
}
return;
}
String message1 = StringUtils.normalizeSpace(message0);
if (!isAllowedString(message0)) {
session.disconnect(t("multiplayer.disconnect.illegal_characters"));
return;
}
if (message1.startsWith("/")) {
Lantern.getSyncExecutorService().submit(() -> Sponge.getCommandManager().process(player, message1.substring(1)));
} else {
final Text nameText = player.get(Keys.DISPLAY_NAME).get();
final Text rawMessageText = Text.of(message0);
final GlobalConfig.Chat.Urls urls = Lantern.getGame().getGlobalConfig().getChat().getUrls();
final Text messageText;
if (urls.isEnabled() && player.hasPermission(Permissions.Chat.FORMAT_URLS)) {
messageText = newTextWithLinks(message0, urls.getTemplate(), false);
} else {
messageText = rawMessageText;
}
final MessageChannel channel = player.getMessageChannel();
final CauseStack causeStack = CauseStack.current();
try (CauseStack.Frame frame = causeStack.pushCauseFrame()) {
frame.addContext(EventContextKeys.PLAYER, player);
final MessageChannelEvent.Chat event = SpongeEventFactory.createMessageChannelEventChat(causeStack.getCurrentCause(), channel, Optional.of(channel), new MessageEvent.MessageFormatter(nameText, messageText), rawMessageText, false);
if (!Sponge.getEventManager().post(event) && !event.isMessageCancelled()) {
event.getChannel().ifPresent(c -> c.send(player, event.getMessage(), ChatTypes.CHAT));
}
}
}
final Attribute<ChatData> attr = context.getChannel().attr(CHAT_DATA);
ChatData chatData = attr.get();
if (chatData == null) {
chatData = new ChatData();
final ChatData chatData1 = attr.setIfAbsent(chatData);
if (chatData1 != null) {
chatData = chatData1;
}
}
// noinspection SynchronizationOnLocalVariableOrMethodParameter
synchronized (chatData) {
final long currentTime = LanternGame.currentTimeTicks();
if (chatData.lastChatTime != -1L) {
chatData.chatThrottle = (int) Math.max(0, chatData.chatThrottle - (currentTime - chatData.lastChatTime));
}
chatData.lastChatTime = currentTime;
chatData.chatThrottle += 20;
if (chatData.chatThrottle > Lantern.getGame().getGlobalConfig().getChatSpamThreshold()) {
session.disconnect(t("disconnect.spam"));
}
}
}
use of org.lanternpowered.server.event.CauseStack in project LanternServer by LanternPowered.
the class KeyRegistryModule method registerDefaults.
@Override
public void registerDefaults() {
final CauseStack causeStack = CauseStack.current();
causeStack.pushCause(Lantern.getSpongePlugin());
register(makeMutableBoundedValueKey(Double.class, DataQuery.of("Absorption"), "absorption"));
register(makeValueKey(Boolean.class, of("AffectsSpawning"), "affects_spawning"));
register(makeMutableBoundedValueKey(Integer.class, of("Age"), "age"));
register(makeValueKey(Boolean.class, of("AIEnabled"), "ai_enabled"));
register(makeMutableBoundedValueKey(Integer.class, of("Anger"), "anger"));
register(makeMutableBoundedValueKey(Integer.class, DataQuery.of("AreaEffectCloudAge"), "area_effect_cloud_age"));
register(makeValueKey(Color.class, DataQuery.of("AreaEffectCloudColor"), "area_effect_cloud_color"));
register(makeMutableBoundedValueKey(Integer.class, DataQuery.of("AreaEffectCloudDuration"), "area_effect_cloud_duration"));
register(makeMutableBoundedValueKey(Integer.class, DataQuery.of("AreaEffectCloudDurationOnUse"), "area_effect_cloud_duration_on_use"));
register(makeValueKey(Color.class, DataQuery.of("AreaEffectCloudParticleType"), "area_effect_cloud_particle_type"));
register(makeMutableBoundedValueKey(Double.class, DataQuery.of("AreaEffectCloudRadius"), "area_effect_cloud_radius"));
register(makeMutableBoundedValueKey(Double.class, DataQuery.of("AreaEffectCloudRadiusOnUse"), "area_effect_cloud_radius_on_use"));
register(makeMutableBoundedValueKey(Double.class, DataQuery.of("AreaEffectCloudRadiusPerTick"), "area_effect_cloud_radius_per_tick"));
register(makeMutableBoundedValueKey(Integer.class, DataQuery.of("AreaEffectCloudRadiusReapplicationDelay"), "area_effect_cloud_reapplication_delay"));
register(makeMutableBoundedValueKey(Integer.class, DataQuery.of("AreaEffectCloudWaitTime"), "area_effect_cloud_wait_time"));
register(makeValueKey(Boolean.class, of("ArmorStandHasArms"), "armor_stand_has_arms"));
register(makeValueKey(Boolean.class, of("ArmorStandHasBasePlate"), "armor_stand_has_base_plate"));
register(makeValueKey(Boolean.class, of("ArmorStandIsSmall"), "armor_stand_is_small"));
register(makeValueKey(Boolean.class, of("ArmorStandMarker"), "armor_stand_marker"));
register(makeValueKey(Boolean.class, of("Angry"), "angry"));
register(makeValueKey(Art.class, of("Art"), "art"));
register(makeValueKey(Boolean.class, of("Attached"), "attached"));
register(makeMutableBoundedValueKey(Double.class, of("AttackDamage"), "attack_damage"));
register(makeValueKey(Axis.class, of("Axis"), "axis"));
register(makeValueKey(DyeColor.class, of("BannerBaseColor"), "banner_base_color"));
register(makePatternListKey(of("BannerPatterns"), "banner_patterns"));
register(makeMutableBoundedValueKey(Float.class, of("BaseSize"), "base_size"));
register(makeValueKey(EntitySnapshot.class, of("BaseVehicle"), "base_vehicle"));
register(makeOptionalKey(PotionEffectType.class, of("BeaconPrimaryEffect"), "beacon_primary_effect"));
register(makeOptionalKey(PotionEffectType.class, of("BeaconSecondaryEffect"), "beacon_secondary_effect"));
register(makeValueKey(BigMushroomType.class, of("BigMushroomType"), "big_mushroom_type"));
register(makeMapKeyWithKeyAndValue(BodyPart.class, Vector3d.class, of("BodyRotations"), "body_rotations"));
register(makeValueKey(Text.class, of("BookAuthor"), "book_author"));
register(makeListKey(Text.class, of("BookPages"), "book_pages"));
register(makeSetKey(BlockType.class, of("BreakableBlockTypes"), "breakable_block_types"));
register(makeValueKey(BrickType.class, of("BrickType"), "brick_type"));
register(makeValueKey(Boolean.class, of("CanBreed"), "can_breed"));
register(makeValueKey(Boolean.class, of("CanDropAsItem"), "can_drop_as_item"));
register(makeValueKey(Boolean.class, of("CanFly"), "can_fly"));
register(makeValueKey(Boolean.class, of("CanGrief"), "can_grief"));
register(makeValueKey(Boolean.class, of("CanPlaceAsBlock"), "can_place_as_block"));
register(makeValueKey(Career.class, of("Career"), "career"));
register(makeValueKey(Vector3d.class, of("ChestRotation"), "chest_rotation"));
register(makeValueKey(CoalType.class, of("CoalType"), "coal_type"));
register(makeValueKey(Color.class, of("Color"), "color"));
register(makeValueKey(String.class, of("Command"), "command"));
register(makeValueKey(ComparatorType.class, of("ComparatorType"), "comparator_type"));
register(makeSetKey(Direction.class, of("ConnectedDirections"), "connected_directions"));
register(makeValueKey(Boolean.class, of("ConnectedEast"), "connected_east"));
register(makeValueKey(Boolean.class, of("ConnectedNorth"), "connected_north"));
register(makeValueKey(Boolean.class, of("ConnectedSouth"), "connected_south"));
register(makeValueKey(Boolean.class, of("ConnectedWest"), "connected_west"));
register(makeMutableBoundedValueKey(Integer.class, of("ContainedExperience"), "contained_experience"));
register(makeValueKey(CookedFish.class, of("CookedFish"), "cooked_fish"));
register(makeMutableBoundedValueKey(Integer.class, of("Cooldown"), "cooldown"));
register(makeValueKey(Boolean.class, of("CreeperCharged"), "creeper_charged"));
register(makeValueKey(Boolean.class, of("CriticalHit"), "critical_hit"));
register(makeValueKey(Boolean.class, of("CustomNameVisible"), "custom_name_visible"));
register(makeMapKeyWithKeyAndValue(EntityType.class, Double.class, of("EntityDamageMap"), "damage_entity_map"));
register(makeValueKey(Boolean.class, of("Decayable"), "decayable"));
register(makeMutableBoundedValueKey(Integer.class, of("Delay"), "delay"));
register(makeMutableBoundedValueKey(Integer.class, of("DespawnDelay"), "despawn_delay"));
register(makeValueKey(Direction.class, of("Direction"), "direction"));
register(makeValueKey(DirtType.class, of("DirtType"), "dirt_type"));
register(makeValueKey(Boolean.class, of("Disarmed"), "disarmed"));
register(makeValueKey(DisguisedBlockType.class, of("DisguisedBlockType"), "disguised_block_type"));
register(makeValueKey(Text.class, of("DisplayName"), "display_name"));
register(makeValueKey(HandPreference.class, of("DominantHand"), "dominant_hand"));
register(makeValueKey(DoublePlantType.class, of("DoublePlantType"), "double_plant_type"));
register(makeValueKey(DyeColor.class, of("DyeColor"), "dye_color"));
register(makeValueKey(Boolean.class, of("ElderGuardian"), "elder_guardian"));
register(makeValueKey(Boolean.class, of("EndGatewayAge"), "end_gateway_age"));
register(makeValueKey(Boolean.class, of("EndGatewayTeleportCooldown"), "end_gateway_teleport_cooldown"));
register(makeMutableBoundedValueKey(Double.class, of("Exhaustion"), "exhaustion"));
register(makeValueKey(Boolean.class, of("ExactTeleport"), "exact_teleport"));
register(makeValueKey(Vector3i.class, of("ExitPosition"), "exit_position"));
register(makeImmutableBoundedValueKey(Integer.class, of("ExperienceFromStartOfLevel"), "experience_from_start_of_level"));
register(makeMutableBoundedValueKey(Integer.class, of("ExperienceLevel"), "experience_level"));
register(makeMutableBoundedValueKey(Integer.class, of("ExperienceSinceLevel"), "experience_since_level"));
register(makeMutableBoundedValueKey(Integer.class, of("ExpirationTicks"), "expiration_ticks"));
register(makeOptionalKey(Integer.class, of("ExplosionRadius"), "explosion_radius"));
register(makeValueKey(Boolean.class, of("Extended"), "extended"));
register(makeValueKey(Boolean.class, of("FallingBlockCanHurtEntities"), "falling_block_can_hurt_entities"));
register(makeValueKey(BlockState.class, of("FallingBlockState"), "falling_block_state"));
register(makeMutableBoundedValueKey(Double.class, of("FallDamagePerBlock"), "fall_damage_per_block"));
register(makeMutableBoundedValueKey(Float.class, of("FallDistance"), "fall_distance"));
register(makeValueKey(Integer.class, of("FallTime"), "fall_time"));
register(makeValueKey(Boolean.class, of("Filled"), "filled"));
register(makeListKey(FireworkEffect.class, of("FireworkEffects"), "firework_effects"));
register(makeMutableBoundedValueKey(Integer.class, of("FireworkFlightModifier"), "firework_flight_modifier"));
register(makeMutableBoundedValueKey(Integer.class, of("FireDamageDelay"), "fire_damage_delay"));
register(makeMutableBoundedValueKey(Integer.class, of("FireTicks"), "fire_ticks"));
register(makeValueKey(Instant.class, of("FirstDatePlayed"), "first_date_played"));
register(makeValueKey(Fish.class, of("FishType"), "fish_type"));
register(makeValueKey(FluidStackSnapshot.class, of("FluidItemStack"), "fluid_item_stack"));
register(makeMutableBoundedValueKey(Integer.class, of("FluidLevel"), "fluid_level"));
register(makeMapKeyWithKeyAndValue(Direction.class, List.class, of("FluidTankContents"), "fluid_tank_contents"));
register(makeValueKey(Double.class, of("FlyingSpeed"), "flying_speed"));
register(makeMutableBoundedValueKey(Integer.class, of("FoodLevel"), "food_level"));
register(makeValueKey(Integer.class, of("FuseDuration"), "fuse_duration"));
register(makeValueKey(GameMode.class, of("GameMode"), "game_mode"));
register(makeMutableBoundedValueKey(Integer.class, of("Generation"), "generation"));
register(makeValueKey(Boolean.class, of("Glowing"), "glowing"));
register(makeValueKey(GoldenApple.class, of("GoldenAppleType"), "golden_apple_type"));
register(makeMutableBoundedValueKey(Integer.class, of("GrowthStage"), "growth_stage"));
register(makeValueKey(Boolean.class, of("HasGravity"), "has_gravity"));
register(makeValueKey(Vector3d.class, of("HeadRotation"), "head_rotation"));
register(makeMutableBoundedValueKey(Double.class, of("Health"), "health"));
register(makeMutableBoundedValueKey(Double.class, of("HealthScale"), "health_scale"));
register(makeMutableBoundedValueKey(Float.class, of("Height"), "height"));
register(makeValueKey(Boolean.class, of("HideAttributes"), "hide_attributes"));
register(makeValueKey(Boolean.class, of("HideCanDestroy"), "hide_can_destroy"));
register(makeValueKey(Boolean.class, of("HideCanPlace"), "hide_can_place"));
register(makeValueKey(Boolean.class, of("HideEnchantments"), "hide_enchantments"));
register(makeValueKey(Boolean.class, of("HideMiscellaneous"), "hide_miscellaneous"));
register(makeValueKey(Boolean.class, of("HideUnbreakable"), "hide_unbreakable"));
register(makeValueKey(Hinge.class, of("HingePosition"), "hinge_position"));
register(makeValueKey(HorseColor.class, of("HorseColor"), "horse_color"));
register(makeValueKey(HorseStyle.class, of("HorseStyle"), "horse_style"));
register(makeValueKey(Boolean.class, of("InfiniteDespawnDelay"), "infinite_despawn_delay"));
register(makeValueKey(Boolean.class, of("InfinitePickupDelay"), "infinite_pickup_delay"));
register(makeValueKey(Boolean.class, of("InvisibilityIgnoresCollision"), "invisibility_ignores_collision"));
register(makeValueKey(Boolean.class, of("InvisibilityPreventsTargeting"), "invisibility_prevents_targeting"));
register(makeValueKey(Boolean.class, of("Invisible"), "invisible"));
register(makeMutableBoundedValueKey(Integer.class, of("InvulnerabilityTicks"), "invulnerability_ticks"));
register(makeValueKey(Boolean.class, of("Invulnerable"), "invulnerable"));
register(makeValueKey(Boolean.class, of("InWall"), "in_wall"));
register(makeValueKey(Boolean.class, of("IsAdult"), "is_adult"));
register(makeValueKey(Boolean.class, of("IsAflame"), "is_aflame"));
register(makeValueKey(Boolean.class, of("IsFlying"), "is_flying"));
register(makeValueKey(Boolean.class, of("IsJohnny"), "is_johnny"));
register(makeValueKey(Boolean.class, of("IsPlaying"), "is_playing"));
register(makeValueKey(Boolean.class, of("IsScreaming"), "is_screaming"));
register(makeValueKey(Boolean.class, of("IsSheared"), "is_sheared"));
register(makeValueKey(Boolean.class, of("IsSilent"), "is_silent"));
register(makeValueKey(Boolean.class, of("IsSitting"), "is_sitting"));
register(makeValueKey(Boolean.class, of("IsSleeping"), "is_sleeping"));
register(makeValueKey(Boolean.class, of("IsSneaking"), "is_sneaking"));
register(makeValueKey(Boolean.class, of("IsSprinting"), "is_sprinting"));
register(makeValueKey(Boolean.class, of("IsWet"), "is_wet"));
register(makeValueKey(BlockState.class, of("ItemBlockState"), "item_blockstate"));
register(makeMutableBoundedValueKey(Integer.class, of("ItemDurability"), "item_durability"));
register(makeListKey(Enchantment.class, of("ItemEnchantments"), "item_enchantments"));
register(makeListKey(Text.class, of("ItemLore"), "item_lore"));
register(makeValueKey(Boolean.class, of("JohnnyVindicator"), "johnny_vindicator"));
register(makeMutableBoundedValueKey(Integer.class, of("KnockbackStrength"), "knockback_strength"));
register(makeOptionalKey(EntitySnapshot.class, of("LastAttacker"), "last_attacker"));
register(makeOptionalKey(Text.class, of("LastCommandOutput"), "last_command_output"));
register(makeOptionalKey(Double.class, of("LastDamage"), "last_damage"));
register(makeValueKey(Instant.class, of("LastDatePlayed"), "last_date_played"));
register(makeValueKey(Integer.class, of("Layer"), "layer"));
register(makeValueKey(EntitySnapshot.class, of("LeashHolder"), "leash_holder"));
register(makeValueKey(Vector3d.class, of("LeftArmRotation"), "left_arm_rotation"));
register(makeValueKey(Vector3d.class, of("LeftLegRotation"), "left_leg_rotation"));
register(makeMutableBoundedValueKey(Integer.class, of("LlamaStrength"), "llama_strength"));
register(makeValueKey(LlamaVariant.class, of("LlamaVariant"), "llama_variant"));
register(makeValueKey(String.class, of("LockToken"), "lock_token"));
register(makeValueKey(LogAxis.class, of("LogAxis"), "log_axis"));
register(makeMutableBoundedValueKey(Integer.class, of("MaxAir"), "max_air"));
register(makeMutableBoundedValueKey(Integer.class, of("MaxBurnTime"), "max_burn_time"));
register(makeMutableBoundedValueKey(Integer.class, of("MaxCookTime"), "max_cook_time"));
register(makeMutableBoundedValueKey(Double.class, of("MaxFallDamage"), "max_fall_damage"));
register(makeMutableBoundedValueKey(Double.class, of("MaxHealth"), "max_health"));
register(makeMutableBoundedValueKey(Integer.class, of("Moisture"), "moisture"));
register(makeValueKey(NotePitch.class, of("NotePitch"), "note_pitch"));
register(makeValueKey(Boolean.class, of("Occupied"), "occupied"));
register(makeValueKey(OcelotType.class, of("OcelotType"), "ocelot_type"));
register(makeValueKey(Integer.class, of("Offset"), "offset"));
register(makeValueKey(Boolean.class, of("Open"), "open"));
register(makeMutableBoundedValueKey(Integer.class, of("PassedBurnTime"), "passed_burn_time"));
register(makeMutableBoundedValueKey(Integer.class, of("PassedCookTime"), "passed_cook_time"));
register(makeListKey(UUID.class, of("Passengers"), "passengers"));
register(makeValueKey(Boolean.class, of("Persists"), "persists"));
register(makeMutableBoundedValueKey(Integer.class, of("PickupDelay"), "pickup_delay"));
register(makeValueKey(PickupRule.class, of("PickupRule"), "pickup_rule"));
register(makeValueKey(Boolean.class, of("PigSaddle"), "pig_saddle"));
register(makeValueKey(PistonType.class, of("PistonType"), "piston_type"));
register(makeSetKey(BlockType.class, of("PlaceableBlocks"), "placeable_blocks"));
register(makeValueKey(PlantType.class, of("PlantType"), "plant_type"));
register(makeValueKey(Boolean.class, of("PlayerCreated"), "player_created"));
register(makeValueKey(PortionType.class, of("PortionType"), "portion_type"));
register(makeListKey(PotionEffect.class, of("PotionEffects"), "potion_effects"));
register(makeValueKey(Integer.class, of("Power"), "power"));
register(makeValueKey(Boolean.class, of("Powered"), "powered"));
register(makeValueKey(PrismarineType.class, of("PrismarineType"), "prismarine_type"));
register(makeValueKey(QuartzType.class, of("QuartzType"), "quartz_type"));
register(makeValueKey(RabbitType.class, of("RabbitType"), "rabbit_type"));
register(makeValueKey(RailDirection.class, of("RailDirection"), "rail_direction"));
register(makeMutableBoundedValueKey(Integer.class, of("RemainingAir"), "remaining_air"));
register(makeMutableBoundedValueKey(Integer.class, of("RemainingBrewTime"), "remaining_brew_time"));
register(makeValueKey(BlockState.class, of("RepresentedBlock"), "represented_block"));
register(makeValueKey(ItemStackSnapshot.class, of("RepresentedItem"), "represented_item"));
register(makeValueKey(GameProfile.class, of("RepresentedPlayer"), "represented_player"));
register(makeMapKeyWithKeyAndValue(UUID.class, RespawnLocation.class, of("RespawnLocations"), "respawn_locations"));
register(makeValueKey(Vector3d.class, of("RightArmRotation"), "right_arm_rotation"));
register(makeValueKey(Vector3d.class, of("RightLegRotation"), "right_leg_rotation"));
register(makeValueKey(Rotation.class, of("Rotation"), "rotation"));
register(makeValueKey(SandstoneType.class, of("SandstoneType"), "sandstone_type"));
register(makeValueKey(SandType.class, of("SandType"), "sand_type"));
register(makeMutableBoundedValueKey(Double.class, of("Saturation"), "saturation"));
register(makeMutableBoundedValueKey(Float.class, of("Scale"), "scale"));
register(makeValueKey(Boolean.class, of("Seamless"), "seamless"));
register(makeValueKey(Boolean.class, of("ShouldDrop"), "should_drop"));
register(makeValueKey(ShrubType.class, of("ShrubType"), "shrub_type"));
register(makeListKey(Text.class, of("SignLines"), "sign_lines"));
register(makeValueKey(UUID.class, of("SkinUniqueId"), "skin_unique_id"));
register(makeValueKey(SkullType.class, of("SkullType"), "skull_type"));
register(makeValueKey(SlabType.class, of("SlabType"), "slab_type"));
register(makeMutableBoundedValueKey(Integer.class, of("SlimeSize"), "slime_size"));
register(makeValueKey(Boolean.class, of("Snowed"), "snowed"));
register(makeValueKey(EntityType.class, of("SpawnableEntityType"), "spawnable_entity_type"));
register(makeWeightedCollectionKey(EntityArchetype.class, of("SpawnerEntities"), "spawner_entities"));
register(makeMutableBoundedValueKey(Short.class, of("SpawnerMaximumDelay"), "spawner_maximum_delay"));
register(makeMutableBoundedValueKey(Short.class, of("SpawnerMaximumNearbyEntities"), "spawner_maximum_nearby_entities"));
register(makeMutableBoundedValueKey(Short.class, of("SpawnerMinimumDelay"), "spawner_minimum_delay"));
register(makeValueKey(new TypeToken<WeightedSerializableObject<EntityArchetype>>() {
}, of("SpawnerNextEntityToSpawn"), "spawner_next_entity_to_spawn"));
register(makeMutableBoundedValueKey(Short.class, of("SpawnerRemainingDelay"), "spawner_remaining_delay"));
register(makeMutableBoundedValueKey(Short.class, of("SpawnerRequiredPlayerRange"), "spawner_required_player_range"));
register(makeMutableBoundedValueKey(Short.class, of("SpawnerSpawnCount"), "spawner_spawn_count"));
register(makeMutableBoundedValueKey(Short.class, of("SpawnerSpawnRange"), "spawner_spawn_range"));
register(makeValueKey(StairShape.class, of("StairShape"), "stair_shape"));
register(makeMapKeyWithKeyAndValue(Statistic.class, Long.class, of("Statistics"), "statistics"));
register(makeValueKey(StoneType.class, of("StoneType"), "stone_type"));
register(makeListKey(Enchantment.class, of("StoredEnchantments"), "stored_enchantments"));
register(makeValueKey(String.class, of("StructureAuthor"), "structure_author"));
register(makeValueKey(Boolean.class, of("StructureIgnoreEntities"), "structure_ignore_entities"));
register(makeValueKey(Float.class, of("StructureIntegrity"), "structure_integrity"));
register(makeValueKey(StructureMode.class, of("StructureMode"), "structure_mode"));
register(makeValueKey(Vector3i.class, of("StructurePosition"), "structure_position"));
register(makeValueKey(Boolean.class, of("StructurePowered"), "structure_powered"));
register(makeValueKey(Long.class, of("StructureSeed"), "structure_seed"));
register(makeValueKey(Boolean.class, of("StructureShowAir"), "structure_show_air"));
register(makeValueKey(Boolean.class, of("StructureShowBoundingBox"), "structure_show_bounding_box"));
register(makeValueKey(Vector3i.class, of("StructureSize"), "structure_size"));
register(makeMutableBoundedValueKey(Integer.class, of("StuckArrows"), "stuck_arrows"));
register(makeMutableBoundedValueKey(Integer.class, of("SuccessCount"), "success_count"));
register(makeValueKey(Boolean.class, of("Suspended"), "suspended"));
register(makeOptionalKey(UUID.class, of("TamedOwner"), "tamed_owner"));
register(makeValueKey(Vector3d.class, of("TargetedLocation"), "targeted_location"));
register(makeValueKey(Integer.class, of("TicksRemaining"), "ticks_remaining"));
register(makeMutableBoundedValueKey(Integer.class, of("TotalExperience"), "total_experience"));
register(makeValueKey(Boolean.class, of("TracksOutput"), "tracks_output"));
register(makeListKey(TradeOffer.class, of("TradeOffers"), "trade_offers"));
register(makeValueKey(TreeType.class, of("TreeType"), "tree_type"));
register(makeValueKey(Boolean.class, of("Unbreakable"), "unbreakable"));
register(makeValueKey(Boolean.class, of("Vanish"), "vanish"));
register(makeValueKey(Boolean.class, of("VanishIgnoresCollision"), "vanish_ignores_collision"));
register(makeValueKey(Boolean.class, of("VanishPreventsTargeting"), "vanish_prevents_targeting"));
register(makeValueKey(EntitySnapshot.class, of("Vehicle"), "vehicle"));
register(makeValueKey(Vector3d.class, of("Velocity"), "velocity"));
register(makeOptionalKey(Profession.class, of("VillagerZombieProfession"), "villager_zombie_profession"));
register(makeValueKey(Double.class, of("WalkingSpeed"), "walking_speed"));
register(makeValueKey(WallType.class, of("WallType"), "wall_type"));
register(makeValueKey(Boolean.class, of("WillShatter"), "will_shatter"));
register(makeMapKeyWithKeyAndValue(Direction.class, WireAttachmentType.class, of("WireAttachments"), "wire_attachments"));
register(makeValueKey(WireAttachmentType.class, of("WireAttachmentEast"), "wire_attachment_east"));
register(makeValueKey(WireAttachmentType.class, of("WireAttachmentNorth"), "wire_attachment_north"));
register(makeValueKey(WireAttachmentType.class, of("WireAttachmentSouth"), "wire_attachment_south"));
register(makeValueKey(WireAttachmentType.class, of("WireAttachmentWest"), "wire_attachment_west"));
causeStack.popCause();
causeStack.pushCause(Lantern.getImplementationPlugin());
// Register the lantern keys
for (Field field : LanternKeys.class.getFields()) {
if (Modifier.isStatic(field.getModifiers())) {
final Object object;
try {
object = field.get(null);
} catch (IllegalAccessException e) {
throw new RuntimeException(e);
}
if (object instanceof Key) {
register((Key) object);
}
}
}
causeStack.popCause();
}
use of org.lanternpowered.server.event.CauseStack in project LanternServer by LanternPowered.
the class LanternPlayer method handleDeath.
@Override
protected void handleDeath(CauseStack causeStack) {
// Call the harvest event
final boolean keepsInventory = getWorld().getOrCreateRule(RuleTypes.KEEP_INVENTORY).getValue();
final int exp = keepsInventory ? 0 : Math.min(100, get(Keys.EXPERIENCE_LEVEL).orElse(0) * 7);
// Humanoids get their own sub-interface for the event
final HarvestEntityEvent.TargetPlayer harvestEvent = SpongeEventFactory.createHarvestEntityEventTargetPlayer(causeStack.getCurrentCause(), exp, exp, this, keepsInventory, keepsInventory, 0);
Sponge.getEventManager().post(harvestEvent);
if (!harvestEvent.isCancelled()) {
final List<ItemStackSnapshot> drops = new ArrayList<>();
if (!harvestEvent.keepsInventory()) {
// Make a copy of all the items in the players inventory, and put them in the drops
getInventory().<AbstractSlot>slots().forEach(slot -> slot.peek().ifPresent(itemStack -> drops.add(LanternItemStackSnapshot.wrap(itemStack))));
}
if (!harvestEvent.keepsLevel()) {
offer(Keys.EXPERIENCE_LEVEL, harvestEvent.getLevel());
}
// Finalize the harvest event
finalizeHarvestEvent(causeStack, harvestEvent, drops);
}
// Ban the player if the world is hardcode
if (getWorld().getProperties().isHardcore()) {
final BanService banService = Sponge.getServiceManager().provideUnchecked(BanService.class);
// Add a permanent ban
banService.addBan(Ban.of(getProfile(), t("gameMode.hardcore.banMessage")));
// Bye, bye!
kick(t("deathScreen.title.hardcore"));
}
}
Aggregations