using System; using System.Collections.Concurrent; using System.Collections.Generic; using System.Diagnostics; using System.Globalization; using System.IO; using System.IO.Compression; using System.Linq; using System.Net.Http; using System.Net.Sockets; using System.Security.Cryptography; using System.Text; using System.Text.Json; using System.Text.RegularExpressions; using System.Threading; using System.Threading.Tasks; using MinecraftClient.Commands; using MinecraftClient.Crypto; using MinecraftClient.Inventory; using MinecraftClient.Inventory.ItemPalettes; using MinecraftClient.Logger; using MinecraftClient.Mapping; using MinecraftClient.Mapping.BlockPalettes; using MinecraftClient.Mapping.EntityPalettes; using MinecraftClient.Protocol.Handlers.Forge; using MinecraftClient.Protocol.Handlers.packet.s2c; using MinecraftClient.Protocol.Handlers.PacketPalettes; using MinecraftClient.Protocol.Message; using MinecraftClient.Protocol.PacketPipeline; using MinecraftClient.Protocol.ProfileKey; using MinecraftClient.Protocol.Session; using MinecraftClient.Proxy; using MinecraftClient.Scripting; using static MinecraftClient.Settings; namespace MinecraftClient.Protocol.Handlers { /// /// Implementation for Minecraft 1.8.X+ Protocols /// /// /// Typical update steps for implementing protocol changes for a new Minecraft version: /// - Perform a diff between latest supported version in MCC and new stable version to support on https://wiki.vg/Protocol /// - If there are any changes in packets implemented by MCC, add MCXXXVersion field below and implement new packet layouts /// - Add the packet type palette for that Minecraft version. Please see PacketTypePalette.cs for more information /// - Also see Material.cs and ItemType.cs for updating block and item data inside MCC /// partial class Protocol18Handler : IMinecraftCom { internal const int MC_1_8_Version = 47; internal const int MC_1_9_Version = 107; internal const int MC_1_9_1_Version = 108; internal const int MC_1_10_Version = 210; internal const int MC_1_11_2_Version = 316; internal const int MC_1_12_Version = 335; internal const int MC_1_12_2_Version = 340; internal const int MC_1_13_Version = 393; internal const int MC_1_13_2_Version = 404; internal const int MC_1_14_Version = 477; internal const int MC_1_15_Version = 573; internal const int MC_1_15_2_Version = 578; internal const int MC_1_16_Version = 735; internal const int MC_1_16_1_Version = 736; internal const int MC_1_16_2_Version = 751; internal const int MC_1_16_3_Version = 753; internal const int MC_1_16_5_Version = 754; internal const int MC_1_17_Version = 755; internal const int MC_1_17_1_Version = 756; internal const int MC_1_18_1_Version = 757; internal const int MC_1_18_2_Version = 758; internal const int MC_1_19_Version = 759; internal const int MC_1_19_2_Version = 760; private int autocomplete_transaction_id = 0; private readonly Dictionary window_actions = new(); private bool login_phase = true; private readonly int protocolVersion; private int currentDimension; private bool isOnlineMode = false; private float LastYaw, LastPitch; private int pendingAcknowledgments = 0; private readonly LastSeenMessagesCollector lastSeenMessagesCollector = new(5); private LastSeenMessageList.Entry? lastReceivedMessage = null; readonly Protocol18Forge pForge; readonly Protocol18Terrain pTerrain; readonly IMinecraftComHandler handler; readonly EntityPalette entityPalette; readonly ItemPalette itemPalette; readonly PacketTypePalette packetPalette; readonly SocketWrapper socketWrapper; readonly DataTypes dataTypes; readonly ILogger log; readonly RandomNumberGenerator randomGen; private readonly CancellationToken CancelToken; public Protocol18Handler(CancellationToken cancelToken, TcpClient Client, int protocolVersion, IMinecraftComHandler handler, ForgeInfo? forgeInfo) { CancelToken = cancelToken; ConsoleIO.SetAutoCompleteEngine(this); ChatParser.InitTranslations(); socketWrapper = new SocketWrapper(Client); dataTypes = new DataTypes(protocolVersion); this.protocolVersion = protocolVersion; this.handler = handler; pForge = new Protocol18Forge(forgeInfo, protocolVersion, dataTypes, this, handler); pTerrain = new Protocol18Terrain(protocolVersion, dataTypes, handler); packetPalette = new PacketTypeHandler(protocolVersion, forgeInfo != null).GetTypeHandler(); log = handler.GetLogger(); randomGen = RandomNumberGenerator.Create(); if (handler.GetTerrainEnabled() && protocolVersion > MC_1_19_2_Version) { log.Error("§c" + Translations.extra_terrainandmovement_disabled); handler.SetTerrainEnabled(false); } if (handler.GetInventoryEnabled() && (protocolVersion < MC_1_10_Version || protocolVersion > MC_1_19_2_Version)) { log.Error("§c" + Translations.extra_inventory_disabled); handler.SetInventoryEnabled(false); } if (handler.GetEntityHandlingEnabled() && (protocolVersion < MC_1_10_Version || protocolVersion > MC_1_19_2_Version)) { log.Error("§c" + Translations.extra_entity_disabled); handler.SetEntityHandlingEnabled(false); } // Block palette if (protocolVersion > MC_1_19_2_Version && handler.GetTerrainEnabled()) throw new NotImplementedException(Translations.exception_palette_block); if (protocolVersion >= MC_1_19_Version) Block.Palette = new Palette119(); else if (protocolVersion >= MC_1_17_Version) Block.Palette = new Palette117(); else if (protocolVersion >= MC_1_16_Version) Block.Palette = new Palette116(); else if (protocolVersion >= MC_1_15_Version) Block.Palette = new Palette115(); else if (protocolVersion >= MC_1_14_Version) Block.Palette = new Palette114(); else if (protocolVersion >= MC_1_13_Version) Block.Palette = new Palette113(); else Block.Palette = new Palette112(); // Entity palette if (protocolVersion > MC_1_19_2_Version && handler.GetEntityHandlingEnabled()) throw new NotImplementedException(Translations.exception_palette_entity); if (protocolVersion >= MC_1_19_Version) entityPalette = new EntityPalette119(); else if (protocolVersion >= MC_1_17_Version) entityPalette = new EntityPalette117(); else if (protocolVersion >= MC_1_16_2_Version) entityPalette = new EntityPalette1162(); else if (protocolVersion >= MC_1_16_Version) entityPalette = new EntityPalette1161(); else if (protocolVersion >= MC_1_15_Version) entityPalette = new EntityPalette115(); else if (protocolVersion >= MC_1_14_Version) entityPalette = new EntityPalette114(); else if (protocolVersion >= MC_1_13_Version) entityPalette = new EntityPalette113(); else entityPalette = new EntityPalette112(); // Item palette if (protocolVersion > MC_1_19_2_Version && handler.GetInventoryEnabled()) throw new NotImplementedException(Translations.exception_palette_item); if (protocolVersion >= MC_1_19_Version) itemPalette = new ItemPalette119(); else if (protocolVersion >= MC_1_18_1_Version) itemPalette = new ItemPalette118(); else if (protocolVersion >= MC_1_17_Version) itemPalette = new ItemPalette117(); else if (protocolVersion >= MC_1_16_2_Version) itemPalette = new ItemPalette1162(); else if (protocolVersion >= MC_1_16_1_Version) itemPalette = new ItemPalette1161(); else itemPalette = new ItemPalette115(); // MessageType // You can find it in https://wiki.vg/Protocol#Player_Chat_Message or /net/minecraft/network/message/MessageType.java if (this.protocolVersion >= MC_1_19_2_Version) ChatParser.ChatId2Type = new() { { 0, ChatParser.MessageType.CHAT }, { 1, ChatParser.MessageType.SAY_COMMAND }, { 2, ChatParser.MessageType.MSG_COMMAND_INCOMING }, { 3, ChatParser.MessageType.MSG_COMMAND_OUTGOING }, { 4, ChatParser.MessageType.TEAM_MSG_COMMAND_INCOMING }, { 5, ChatParser.MessageType.TEAM_MSG_COMMAND_OUTGOING }, { 6, ChatParser.MessageType.EMOTE_COMMAND }, }; else if (this.protocolVersion == MC_1_19_Version) ChatParser.ChatId2Type = new() { { 0, ChatParser.MessageType.CHAT }, { 1, ChatParser.MessageType.RAW_MSG }, { 2, ChatParser.MessageType.RAW_MSG }, { 3, ChatParser.MessageType.SAY_COMMAND }, { 4, ChatParser.MessageType.MSG_COMMAND_INCOMING }, { 5, ChatParser.MessageType.TEAM_MSG_COMMAND_INCOMING }, { 6, ChatParser.MessageType.EMOTE_COMMAND }, { 7, ChatParser.MessageType.RAW_MSG }, }; } private async Task MainTicker() { var periodicTimer = new PeriodicTimer(TimeSpan.FromMilliseconds(1000 / 20)); while (await periodicTimer.WaitForNextTickAsync(CancelToken) && !CancelToken.IsCancellationRequested) { try { await handler.OnUpdate(); } catch (Exception e) { if (Config.Logging.DebugMessages) { ConsoleIO.WriteLine($"{e.GetType().Name} when ticking: {e.Message}"); if (e.StackTrace != null) ConsoleIO.WriteLine(e.StackTrace); } } } } /// /// Start the updating thread. Should be called after login success. /// public async Task StartUpdating() { Task MainTickerTask = Task.Run(MainTicker); while (!CancelToken.IsCancellationRequested) { try { (int packetID, PacketStream packetStream) = await socketWrapper.GetNextPacket(handleCompress: protocolVersion >= MC_1_8_Version); // ConsoleIO.WriteLine("Len: " + packetData.Count + ", Packet: " + packetPalette.GetIncommingTypeById(packetID).ToString()); await HandlePacket(packetID, packetStream); } catch (IOException) { break; } catch (SocketException) { break; } catch (ObjectDisposedException) { break; } catch (OperationCanceledException) { break; } catch (NullReferenceException) { break; } } if (!CancelToken.IsCancellationRequested) handler.OnConnectionLost(ChatBot.DisconnectReason.ConnectionLost, string.Empty); await MainTickerTask; } /// /// Handle the given packet /// /// Packet ID /// Packet contents /// TRUE if the packet was processed, FALSE if ignored or unknown internal async Task HandlePacket(int packetID, PacketStream packetData) { try { if (login_phase) { switch (packetID) // Packet IDs are different while logging in { case 0x03: if (protocolVersion >= MC_1_8_Version) socketWrapper.CompressionThreshold = await dataTypes.ReadNextVarIntAsync(packetData); break; case 0x04: int messageId = await dataTypes.ReadNextVarIntAsync(packetData); string channel = await dataTypes.ReadNextStringAsync(packetData); (bool understood, List responseData) = await pForge.HandleLoginPluginRequest(channel, packetData); await SendLoginPluginResponse(messageId, understood, responseData.ToArray()); return understood; default: return false; // Ignored packet } } // Regular in-game packets else switch (packetPalette.GetIncommingTypeById(packetID)) { case PacketTypesIn.KeepAlive: handler.OnServerKeepAlive(); await SendPacket(PacketTypesOut.KeepAlive, packetData); break; case PacketTypesIn.Ping: handler.OnServerKeepAlive(); await SendPacket(PacketTypesOut.Pong, packetData); break; case PacketTypesIn.JoinGame: Task OnGameJoinedTask = handler.OnGameJoined(); int playerEntityID = await dataTypes.ReadNextIntAsync(packetData); handler.OnReceivePlayerEntityID(playerEntityID); if (protocolVersion >= MC_1_16_2_Version) await dataTypes.ReadNextBoolAsync(packetData); // Is hardcore - 1.16.2 and above Task OnGamemodeUpdateTask = handler.OnGamemodeUpdate(Guid.Empty, await dataTypes.ReadNextByteAsync(packetData)); if (protocolVersion >= MC_1_16_Version) { await dataTypes.ReadNextByteAsync(packetData); // Previous Gamemode - 1.16 and above int worldCount = await dataTypes.ReadNextVarIntAsync(packetData); // Dimension Count (World Count) - 1.16 and above for (int i = 0; i < worldCount; i++) await dataTypes.SkipNextStringAsync(packetData); // Dimension Names (World Names) - 1.16 and above var registryCodec = await dataTypes.ReadNextNbtAsync(packetData); // Registry Codec (Dimension Codec) - 1.16 and above if (handler.GetTerrainEnabled()) World.StoreDimensionList(registryCodec); } // Current dimension // String: 1.19 and above // NBT Tag Compound: [1.16.2 to 1.18.2] // String identifier: 1.16 and 1.16.1 // varInt: [1.9.1 to 1.15.2] // byte: below 1.9.1 string? dimensionTypeName = null; Dictionary? dimensionType = null; if (protocolVersion >= MC_1_16_Version) { if (protocolVersion >= MC_1_19_Version) dimensionTypeName = await dataTypes.ReadNextStringAsync(packetData); // Dimension Type: Identifier else if (protocolVersion >= MC_1_16_2_Version) dimensionType = await dataTypes.ReadNextNbtAsync(packetData); // Dimension Type: NBT Tag Compound else await dataTypes.SkipNextStringAsync(packetData); currentDimension = 0; } else if (protocolVersion >= MC_1_9_1_Version) currentDimension = await dataTypes.ReadNextIntAsync(packetData); else currentDimension = (sbyte)await dataTypes.ReadNextByteAsync(packetData); if (protocolVersion < MC_1_14_Version) await dataTypes.ReadNextByteAsync(packetData); // Difficulty - 1.13 and below if (protocolVersion >= MC_1_16_Version) { string dimensionName = await dataTypes.ReadNextStringAsync(packetData); // Dimension Name (World Name) - 1.16 and above if (handler.GetTerrainEnabled()) { if (protocolVersion >= MC_1_16_2_Version && protocolVersion <= MC_1_18_2_Version) { World.StoreOneDimension(dimensionName, dimensionType!); World.SetDimension(dimensionName); } else if (protocolVersion >= MC_1_19_Version) { World.SetDimension(dimensionTypeName!); } } } if (protocolVersion >= MC_1_15_Version) await dataTypes.SkipNextLongAsync(packetData); // Hashed world seed - 1.15 and above if (protocolVersion >= MC_1_16_2_Version) await dataTypes.SkipNextVarIntAsync(packetData); // Max Players - 1.16.2 and above else await dataTypes.ReadNextByteAsync(packetData); // Max Players - 1.16.1 and below if (protocolVersion < MC_1_16_Version) await dataTypes.SkipNextStringAsync(packetData); // Level Type - 1.15 and below if (protocolVersion >= MC_1_14_Version) await dataTypes.SkipNextVarIntAsync(packetData); // View distance - 1.14 and above if (protocolVersion >= MC_1_18_1_Version) await dataTypes.SkipNextVarIntAsync(packetData); // Simulation Distance - 1.18 and above if (protocolVersion >= MC_1_8_Version) await dataTypes.ReadNextBoolAsync(packetData); // Reduced debug info - 1.8 and above if (protocolVersion >= MC_1_15_Version) await dataTypes.ReadNextBoolAsync(packetData); // Enable respawn screen - 1.15 and above if (protocolVersion >= MC_1_16_Version) { await dataTypes.ReadNextBoolAsync(packetData); // Is Debug - 1.16 and above await dataTypes.ReadNextBoolAsync(packetData); // Is Flat - 1.16 and above } if (protocolVersion >= MC_1_19_Version) { bool hasDeathLocation = await dataTypes.ReadNextBoolAsync(packetData); // Has death location if (hasDeathLocation) { await dataTypes.SkipNextStringAsync(packetData); // Death dimension name: Identifier await dataTypes.SkipNextLocationAsync(packetData); // Death location } } await OnGameJoinedTask; await OnGamemodeUpdateTask; break; case PacketTypesIn.DeclareCommands: if (protocolVersion >= MC_1_19_Version) await DeclareCommands.Read(dataTypes, packetData); break; case PacketTypesIn.ChatMessage: int messageType = 0; if (protocolVersion <= MC_1_18_2_Version) // 1.18 and bellow { string message = await dataTypes.ReadNextStringAsync(packetData); Guid senderUUID; if (protocolVersion >= MC_1_8_Version) { //Hide system messages or xp bar messages? messageType = await dataTypes.ReadNextByteAsync(packetData); if (messageType == 1 && !Config.Main.Advanced.ShowSystemMessages || messageType == 2 && !Config.Main.Advanced.ShowSystemMessages) break; if (protocolVersion >= MC_1_16_5_Version) senderUUID = await dataTypes.ReadNextUUIDAsync(packetData); else senderUUID = Guid.Empty; } else senderUUID = Guid.Empty; handler.OnTextReceived(new(message, true, messageType, senderUUID)); } else if (protocolVersion == MC_1_19_Version) // 1.19 { string signedChat = await dataTypes.ReadNextStringAsync(packetData); bool hasUnsignedChatContent = await dataTypes.ReadNextBoolAsync(packetData); string? unsignedChatContent = hasUnsignedChatContent ? await dataTypes.ReadNextStringAsync(packetData) : null; messageType = await dataTypes.ReadNextVarIntAsync(packetData); if (messageType == 1 && !Config.Main.Advanced.ShowSystemMessages || messageType == 2 && !Config.Main.Advanced.ShowXPBarMessages) break; Guid senderUUID = await dataTypes.ReadNextUUIDAsync(packetData); string senderDisplayName = ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)); bool hasSenderTeamName = await dataTypes.ReadNextBoolAsync(packetData); string? senderTeamName = hasSenderTeamName ? ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)) : null; long timestamp = await dataTypes.ReadNextLongAsync(packetData); long salt = await dataTypes.ReadNextLongAsync(packetData); byte[] messageSignature = await dataTypes.ReadNextByteArrayAsync(packetData); bool verifyResult; if (!isOnlineMode) verifyResult = false; else if (senderUUID == handler.GetUserUuid()) verifyResult = true; else { PlayerInfo? player = handler.GetPlayerInfo(senderUUID); verifyResult = player != null && player.VerifyMessage(signedChat, timestamp, salt, ref messageSignature); } ChatMessage chat = new(signedChat, true, messageType, senderUUID, unsignedChatContent, senderDisplayName, senderTeamName, timestamp, messageSignature, verifyResult); handler.OnTextReceived(chat); } else // 1.19.1 + { byte[]? precedingSignature = await dataTypes.ReadNextBoolAsync(packetData) ? await dataTypes.ReadNextByteArrayAsync(packetData) : null; Guid senderUUID = await dataTypes.ReadNextUUIDAsync(packetData); byte[] headerSignature = await dataTypes.ReadNextByteArrayAsync(packetData); string signedChat = await dataTypes.ReadNextStringAsync(packetData); string? decorated = await dataTypes.ReadNextBoolAsync(packetData) ? await dataTypes.ReadNextStringAsync(packetData) : null; long timestamp = await dataTypes.ReadNextLongAsync(packetData); long salt = await dataTypes.ReadNextLongAsync(packetData); int lastSeenMessageListLen = await dataTypes.ReadNextVarIntAsync(packetData); LastSeenMessageList.Entry[] lastSeenMessageList = new LastSeenMessageList.Entry[lastSeenMessageListLen]; for (int i = 0; i < lastSeenMessageListLen; ++i) { Guid user = await dataTypes.ReadNextUUIDAsync(packetData); byte[] lastSignature = await dataTypes.ReadNextByteArrayAsync(packetData); lastSeenMessageList[i] = new(user, lastSignature); } LastSeenMessageList lastSeenMessages = new(lastSeenMessageList); string? unsignedChatContent = await dataTypes.ReadNextBoolAsync(packetData) ? await dataTypes.ReadNextStringAsync(packetData) : null; int filterEnum = await dataTypes.ReadNextVarIntAsync(packetData); if (filterEnum == 2) // PARTIALLY_FILTERED await dataTypes.SkipNextULongArray(packetData); int chatTypeId = await dataTypes.ReadNextVarIntAsync(packetData); string chatName = await dataTypes.ReadNextStringAsync(packetData); string? targetName = await dataTypes.ReadNextBoolAsync(packetData) ? await dataTypes.ReadNextStringAsync(packetData) : null; Dictionary chatInfo = Json.ParseJson(chatName).Properties; string senderDisplayName = (chatInfo.TryGetValue("insertion", out Json.JSONData? insertion) ? insertion : chatInfo["text"]).StringValue; string? senderTeamName = null; ChatParser.MessageType messageTypeEnum = ChatParser.ChatId2Type!.GetValueOrDefault(chatTypeId, ChatParser.MessageType.CHAT); if (targetName != null && (messageTypeEnum == ChatParser.MessageType.TEAM_MSG_COMMAND_INCOMING || messageTypeEnum == ChatParser.MessageType.TEAM_MSG_COMMAND_OUTGOING)) senderTeamName = Json.ParseJson(targetName).Properties["with"].DataArray[0].Properties["text"].StringValue; if (string.IsNullOrWhiteSpace(senderDisplayName)) { PlayerInfo? player = handler.GetPlayerInfo(senderUUID); if (player != null && (player.DisplayName != null || player.Name != null) && string.IsNullOrWhiteSpace(senderDisplayName)) { senderDisplayName = ChatParser.ParseText(player.DisplayName ?? player.Name); if (string.IsNullOrWhiteSpace(senderDisplayName)) senderDisplayName = player.DisplayName ?? player.Name; else senderDisplayName += "§r"; } } bool verifyResult; if (!isOnlineMode) verifyResult = false; else if (senderUUID == handler.GetUserUuid()) verifyResult = true; else { PlayerInfo? player = handler.GetPlayerInfo(senderUUID); if (player == null || !player.IsMessageChainLegal()) verifyResult = false; else { bool lastVerifyResult = player.IsMessageChainLegal(); verifyResult = player.VerifyMessage(signedChat, timestamp, salt, ref headerSignature, ref precedingSignature, lastSeenMessages); if (lastVerifyResult && !verifyResult) log.Warn(string.Format(Translations.chat_message_chain_broken, senderDisplayName)); } } ChatMessage chat = new(signedChat, false, chatTypeId, senderUUID, unsignedChatContent, senderDisplayName, senderTeamName, timestamp, headerSignature, verifyResult); if (isOnlineMode && !chat.LacksSender()) await Acknowledge(chat); handler.OnTextReceived(chat); } break; case PacketTypesIn.CombatEvent: // 1.8 - 1.16.5 if (protocolVersion >= MC_1_8_Version && protocolVersion <= MC_1_16_5_Version) { CombatEventType eventType = (CombatEventType)await dataTypes.ReadNextVarIntAsync(packetData); if (eventType == CombatEventType.EntityDead) { await dataTypes.SkipNextVarIntAsync(packetData); handler.OnPlayerKilled( await dataTypes.ReadNextIntAsync(packetData), ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)) ); } } break; case PacketTypesIn.DeathCombatEvent: await dataTypes.SkipNextVarIntAsync(packetData); handler.OnPlayerKilled( await dataTypes.ReadNextIntAsync(packetData), ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)) ); break; case PacketTypesIn.MessageHeader: if (protocolVersion >= MC_1_19_2_Version) { byte[]? precedingSignature = await dataTypes.ReadNextBoolAsync(packetData) ? await dataTypes.ReadNextByteArrayAsync(packetData) : null; Guid senderUUID = await dataTypes.ReadNextUUIDAsync(packetData); byte[] headerSignature = await dataTypes.ReadNextByteArrayAsync(packetData); byte[] bodyDigest = await dataTypes.ReadNextByteArrayAsync(packetData); bool verifyResult; if (!isOnlineMode) verifyResult = false; else if (senderUUID == handler.GetUserUuid()) verifyResult = true; else { PlayerInfo? player = handler.GetPlayerInfo(senderUUID); if (player == null || !player.IsMessageChainLegal()) verifyResult = false; else { bool lastVerifyResult = player.IsMessageChainLegal(); verifyResult = player.VerifyMessageHead(ref precedingSignature, ref headerSignature, ref bodyDigest); if (lastVerifyResult && !verifyResult) log.Warn(string.Format(Translations.chat_message_chain_broken, player.Name)); } } } break; case PacketTypesIn.Respawn: string? dimensionTypeNameRespawn = null; Dictionary? dimensionTypeRespawn = null; if (protocolVersion >= MC_1_16_Version) { if (protocolVersion >= MC_1_19_Version) dimensionTypeNameRespawn = await dataTypes.ReadNextStringAsync(packetData); // Dimension Type: Identifier else if (protocolVersion >= MC_1_16_2_Version) dimensionTypeRespawn = await dataTypes.ReadNextNbtAsync(packetData); // Dimension Type: NBT Tag Compound else await dataTypes.SkipNextStringAsync(packetData); currentDimension = 0; } else { // 1.15 and below currentDimension = await dataTypes.ReadNextIntAsync(packetData); } if (protocolVersion >= MC_1_16_Version) { string dimensionName = await dataTypes.ReadNextStringAsync(packetData); // Dimension Name (World Name) - 1.16 and above if (handler.GetTerrainEnabled()) { if (protocolVersion >= MC_1_16_2_Version && protocolVersion <= MC_1_18_2_Version) { World.StoreOneDimension(dimensionName, dimensionTypeRespawn!); World.SetDimension(dimensionName); } else if (protocolVersion >= MC_1_19_Version) { World.SetDimension(dimensionTypeNameRespawn!); } } } if (protocolVersion < MC_1_14_Version) await dataTypes.ReadNextByteAsync(packetData); // Difficulty - 1.13 and below if (protocolVersion >= MC_1_15_Version) await dataTypes.SkipNextLongAsync(packetData); // Hashed world seed - 1.15 and above await dataTypes.ReadNextByteAsync(packetData); // Gamemode if (protocolVersion >= MC_1_16_Version) await dataTypes.ReadNextByteAsync(packetData); // Previous Game mode - 1.16 and above if (protocolVersion < MC_1_16_Version) await dataTypes.SkipNextStringAsync(packetData); // Level Type - 1.15 and below if (protocolVersion >= MC_1_16_Version) { await dataTypes.ReadNextBoolAsync(packetData); // Is Debug - 1.16 and above await dataTypes.ReadNextBoolAsync(packetData); // Is Flat - 1.16 and above await dataTypes.ReadNextBoolAsync(packetData); // Copy metadata - 1.16 and above } if (protocolVersion >= MC_1_19_Version) { bool hasDeathLocation = await dataTypes.ReadNextBoolAsync(packetData); // Has death location if (hasDeathLocation) { await dataTypes.SkipNextStringAsync(packetData); // Death dimension name: Identifier await dataTypes.SkipNextLocationAsync(packetData); // Death location } } handler.OnRespawn(); break; case PacketTypesIn.PlayerPositionAndLook: { // These always need to be read, since we need the field after them for teleport confirm double x = await dataTypes.ReadNextDoubleAsync(packetData); double y = await dataTypes.ReadNextDoubleAsync(packetData); double z = await dataTypes.ReadNextDoubleAsync(packetData); Location location = new(x, y, z); float yaw = await dataTypes.ReadNextFloatAsync(packetData); float pitch = await dataTypes.ReadNextFloatAsync(packetData); byte locMask = await dataTypes.ReadNextByteAsync(packetData); // entity handling require player pos for distance calculating if (handler.GetTerrainEnabled() || handler.GetEntityHandlingEnabled()) { if (protocolVersion >= MC_1_8_Version) { Location current = handler.GetCurrentLocation(); location.X = (locMask & 1 << 0) != 0 ? current.X + x : x; location.Y = (locMask & 1 << 1) != 0 ? current.Y + y : y; location.Z = (locMask & 1 << 2) != 0 ? current.Z + z : z; } } if (protocolVersion >= MC_1_9_Version) { int teleportID = await dataTypes.ReadNextVarIntAsync(packetData); if (teleportID < 0) { yaw = LastYaw; pitch = LastPitch; } else { LastYaw = yaw; LastPitch = pitch; } handler.UpdateLocation(location, yaw, pitch); // Teleport confirm packet await SendPacket(PacketTypesOut.TeleportConfirm, dataTypes.GetVarInt(teleportID)); if (Config.Main.Advanced.TemporaryFixBadpacket) { await SendLocationUpdate(location, true, yaw, pitch, true); if (teleportID == 1) await SendLocationUpdate(location, true, yaw, pitch, true); } } else { handler.UpdateLocation(location, yaw, pitch); LastYaw = yaw; LastPitch = pitch; } if (protocolVersion >= MC_1_17_Version) await dataTypes.ReadNextBoolAsync(packetData); // Dismount Vehicle - 1.17 and above } break; case PacketTypesIn.ChunkData: if (handler.GetTerrainEnabled()) { Interlocked.Increment(ref handler.GetWorld().chunkCnt); Interlocked.Increment(ref handler.GetWorld().chunkLoadNotCompleted); int chunkX = await dataTypes.ReadNextIntAsync(packetData); int chunkZ = await dataTypes.ReadNextIntAsync(packetData); if (protocolVersion >= MC_1_17_Version) { ulong[]? verticalStripBitmask = null; if (protocolVersion == MC_1_17_Version || protocolVersion == MC_1_17_1_Version) verticalStripBitmask = await dataTypes.ReadNextULongArrayAsync(packetData); // Bit Mask Length and Primary Bit Mask await dataTypes.ReadNextNbtAsync(packetData); // Heightmaps if (protocolVersion == MC_1_17_Version || protocolVersion == MC_1_17_1_Version) { int biomesLength = await dataTypes.ReadNextVarIntAsync(packetData); // Biomes length for (int i = 0; i < biomesLength; i++) await dataTypes.SkipNextVarIntAsync(packetData); // Biomes } int dataSize = await dataTypes.ReadNextVarIntAsync(packetData); // Size await pTerrain.ProcessChunkColumnData(chunkX, chunkZ, verticalStripBitmask, packetData); Interlocked.Decrement(ref handler.GetWorld().chunkLoadNotCompleted); // Block Entity data: ignored // Light data: ignored } else { bool chunksContinuous = await dataTypes.ReadNextBoolAsync(packetData); if (protocolVersion >= MC_1_16_Version && protocolVersion <= MC_1_16_1_Version) await dataTypes.ReadNextBoolAsync(packetData); // Ignore old data - 1.16 to 1.16.1 only ushort chunkMask = protocolVersion >= MC_1_9_Version ? (ushort)await dataTypes.ReadNextVarIntAsync(packetData) : await dataTypes.ReadNextUShortAsync(packetData); if (protocolVersion < MC_1_8_Version) { ushort addBitmap = await dataTypes.ReadNextUShortAsync(packetData); int compressedDataSize = await dataTypes.ReadNextIntAsync(packetData); byte[] compressed = await dataTypes.ReadDataAsync(compressedDataSize, packetData); ZLibStream zlibStream = new(new MemoryStream(compressed, false), CompressionMode.Decompress, leaveOpen: false); PacketStream chunkDataStream = new(zlibStream, compressedDataSize); await pTerrain.ProcessChunkColumnData(chunkX, chunkZ, chunkMask, addBitmap, currentDimension == 0, chunksContinuous, currentDimension, chunkDataStream); await chunkDataStream.DisposeAsync(); Interlocked.Decrement(ref handler.GetWorld().chunkLoadNotCompleted); } else { if (protocolVersion >= MC_1_14_Version) await dataTypes.ReadNextNbtAsync(packetData); // Heightmaps - 1.14 and above int biomesLength = 0; if (protocolVersion >= MC_1_16_2_Version) if (chunksContinuous) biomesLength = await dataTypes.ReadNextVarIntAsync(packetData); // Biomes length - 1.16.2 and above if (protocolVersion >= MC_1_15_Version && chunksContinuous) { if (protocolVersion >= MC_1_16_2_Version) { for (int i = 0; i < biomesLength; i++) { // Biomes - 1.16.2 and above // Don't use ReadNextVarInt because it cost too much time await dataTypes.SkipNextVarIntAsync(packetData); } } else await dataTypes.DropDataAsync(1024 * 4, packetData); // Biomes - 1.15 and above } int dataSize = await dataTypes.ReadNextVarIntAsync(packetData); await pTerrain.ProcessChunkColumnData(chunkX, chunkZ, chunkMask, 0, false, chunksContinuous, currentDimension, packetData); Interlocked.Decrement(ref handler.GetWorld().chunkLoadNotCompleted); } } } break; case PacketTypesIn.MapData: if (protocolVersion < MC_1_8_Version) break; int mapid = await dataTypes.ReadNextVarIntAsync(packetData); byte scale = await dataTypes.ReadNextByteAsync(packetData); // 1.9 + bool trackingPosition = true; // 1.14+ bool locked = false; // 1.17+ (locked and trackingPosition switched places) if (protocolVersion >= MC_1_17_Version) { if (protocolVersion >= MC_1_14_Version) locked = await dataTypes.ReadNextBoolAsync(packetData); if (protocolVersion >= MC_1_9_Version) trackingPosition = await dataTypes.ReadNextBoolAsync(packetData); } else { if (protocolVersion >= MC_1_9_Version) trackingPosition = await dataTypes.ReadNextBoolAsync(packetData); if (protocolVersion >= MC_1_14_Version) locked = await dataTypes.ReadNextBoolAsync(packetData); } int iconcount = 0; List icons = new(); // 1,9 + = needs tracking position to be true to get the icons if (protocolVersion <= MC_1_16_5_Version || trackingPosition) { iconcount = await dataTypes.ReadNextVarIntAsync(packetData); for (int i = 0; i < iconcount; i++) { MapIcon mapIcon = new(); // 1.8 - 1.13 if (protocolVersion < MC_1_13_2_Version) { byte directionAndtype = await dataTypes.ReadNextByteAsync(packetData); byte direction, type; // 1.12.2+ if (protocolVersion >= MC_1_12_2_Version) { direction = (byte)(directionAndtype & 0xF); type = (byte)(directionAndtype >> 4 & 0xF); } else // 1.8 - 1.12 { direction = (byte)(directionAndtype >> 4 & 0xF); type = (byte)(directionAndtype & 0xF); } mapIcon.Type = (MapIconType)type; mapIcon.Direction = direction; } // 1.13.2+ if (protocolVersion >= MC_1_13_2_Version) mapIcon.Type = (MapIconType)await dataTypes.ReadNextVarIntAsync(packetData); mapIcon.X = await dataTypes.ReadNextByteAsync(packetData); mapIcon.Z = await dataTypes.ReadNextByteAsync(packetData); // 1.13.2+ if (protocolVersion >= MC_1_13_2_Version) { mapIcon.Direction = await dataTypes.ReadNextByteAsync(packetData); if (await dataTypes.ReadNextBoolAsync(packetData)) // Has Display Name? mapIcon.DisplayName = ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)); } icons.Add(mapIcon); } } byte columnsUpdated = await dataTypes.ReadNextByteAsync(packetData); // width byte rowsUpdated = 0; // height byte mapCoulmnX = 0; byte mapRowZ = 0; byte[]? colors = null; if (columnsUpdated > 0) { rowsUpdated = await dataTypes.ReadNextByteAsync(packetData); // height mapCoulmnX = await dataTypes.ReadNextByteAsync(packetData); mapRowZ = await dataTypes.ReadNextByteAsync(packetData); colors = await dataTypes.ReadNextByteArrayAsync(packetData); } handler.OnMapData(mapid, scale, trackingPosition, locked, icons, columnsUpdated, rowsUpdated, mapCoulmnX, mapRowZ, colors); break; case PacketTypesIn.TradeList: if (protocolVersion >= MC_1_14_Version && handler.GetInventoryEnabled()) { // MC 1.14 or greater int windowID = await dataTypes.ReadNextVarIntAsync(packetData); int size = await dataTypes.ReadNextByteAsync(packetData); List trades = new(); for (int tradeId = 0; tradeId < size; tradeId++) { VillagerTrade trade = await dataTypes.ReadNextTradeAsync(packetData, itemPalette); trades.Add(trade); } VillagerInfo villagerInfo = new() { Level = await dataTypes.ReadNextVarIntAsync(packetData), Experience = await dataTypes.ReadNextVarIntAsync(packetData), IsRegularVillager = await dataTypes.ReadNextBoolAsync(packetData), CanRestock = await dataTypes.ReadNextBoolAsync(packetData) }; handler.OnTradeList(windowID, trades, villagerInfo); } break; case PacketTypesIn.Title: if (protocolVersion >= MC_1_8_Version) { int action2 = await dataTypes.ReadNextVarIntAsync(packetData); string titletext = string.Empty; string subtitletext = string.Empty; string actionbartext = string.Empty; string json = string.Empty; int fadein = -1; int stay = -1; int fadeout = -1; if (protocolVersion >= MC_1_10_Version) { if (action2 == 0) { json = titletext; titletext = ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)); } else if (action2 == 1) { json = subtitletext; subtitletext = ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)); } else if (action2 == 2) { json = actionbartext; actionbartext = ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)); } else if (action2 == 3) { fadein = await dataTypes.ReadNextIntAsync(packetData); stay = await dataTypes.ReadNextIntAsync(packetData); fadeout = await dataTypes.ReadNextIntAsync(packetData); } } else { if (action2 == 0) { json = titletext; titletext = ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)); } else if (action2 == 1) { json = subtitletext; subtitletext = ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)); } else if (action2 == 2) { fadein = await dataTypes.ReadNextIntAsync(packetData); stay = await dataTypes.ReadNextIntAsync(packetData); fadeout = await dataTypes.ReadNextIntAsync(packetData); } } handler.OnTitle(action2, titletext, subtitletext, actionbartext, fadein, stay, fadeout, json); } break; case PacketTypesIn.MultiBlockChange: if (handler.GetTerrainEnabled()) { if (protocolVersion >= MC_1_16_2_Version) { long chunkSection = await dataTypes.ReadNextLongAsync(packetData); int sectionX = (int)(chunkSection >> 42); int sectionY = (int)(chunkSection << 44 >> 44); int sectionZ = (int)(chunkSection << 22 >> 42); await dataTypes.ReadNextBoolAsync(packetData); // Useless boolean (Related to light update) int blocksSize = await dataTypes.ReadNextVarIntAsync(packetData); for (int i = 0; i < blocksSize; i++) { ulong chunkSectionPosition = (ulong)dataTypes.ReadNextVarLong(packetData); int blockId = (int)(chunkSectionPosition >> 12); int localX = (int)(chunkSectionPosition >> 8 & 0x0F); int localZ = (int)(chunkSectionPosition >> 4 & 0x0F); int localY = (int)(chunkSectionPosition & 0x0F); Block block = new((ushort)blockId); int blockX = sectionX * 16 + localX; int blockY = sectionY * 16 + localY; int blockZ = sectionZ * 16 + localZ; Location location = new(blockX, blockY, blockZ); handler.OnBlockChange(location, block); } } else { int chunkX = await dataTypes.ReadNextIntAsync(packetData); int chunkZ = await dataTypes.ReadNextIntAsync(packetData); int recordCount = protocolVersion < MC_1_8_Version ? await dataTypes.ReadNextShortAsync(packetData) : await dataTypes.ReadNextVarIntAsync(packetData); for (int i = 0; i < recordCount; i++) { byte locationXZ; ushort blockIdMeta; int blockY; if (protocolVersion < MC_1_8_Version) { blockIdMeta = await dataTypes.ReadNextUShortAsync(packetData); blockY = await dataTypes.ReadNextByteAsync(packetData); locationXZ = await dataTypes.ReadNextByteAsync(packetData); } else { locationXZ = await dataTypes.ReadNextByteAsync(packetData); blockY = await dataTypes.ReadNextByteAsync(packetData); blockIdMeta = (ushort)await dataTypes.ReadNextVarIntAsync(packetData); } int blockX = locationXZ >> 4; int blockZ = locationXZ & 0x0F; Location location = new(chunkX, chunkZ, blockX, blockY, blockZ); Block block = new(blockIdMeta); handler.OnBlockChange(location, block); } } } break; case PacketTypesIn.ServerData: string motd = "-"; bool hasMotd = await dataTypes.ReadNextBoolAsync(packetData); if (hasMotd) motd = ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData)); string iconBase64 = "-"; bool hasIcon = await dataTypes.ReadNextBoolAsync(packetData); if (hasIcon) iconBase64 = await dataTypes.ReadNextStringAsync(packetData); bool previewsChat = await dataTypes.ReadNextBoolAsync(packetData); handler.OnServerDataRecived(hasMotd, motd, hasIcon, iconBase64, previewsChat); break; case PacketTypesIn.BlockChange: if (handler.GetTerrainEnabled()) { if (protocolVersion < MC_1_8_Version) { int blockX = await dataTypes.ReadNextIntAsync(packetData); int blockY = await dataTypes.ReadNextByteAsync(packetData); int blockZ = await dataTypes.ReadNextIntAsync(packetData); short blockId = (short)await dataTypes.ReadNextVarIntAsync(packetData); byte blockMeta = await dataTypes.ReadNextByteAsync(packetData); Location location = new(blockX, blockY, blockZ); Block block = new(blockId, blockMeta); handler.OnBlockChange(location, block); } else { Location location = await dataTypes.ReadNextLocationAsync(packetData); Block block = new((ushort)await dataTypes.ReadNextVarIntAsync(packetData)); handler.OnBlockChange(location, block); } } break; case PacketTypesIn.SetDisplayChatPreview: bool previewsChatSetting = await dataTypes.ReadNextBoolAsync(packetData); handler.OnChatPreviewSettingUpdate(previewsChatSetting); break; case PacketTypesIn.ChatPreview: int queryID = await dataTypes.ReadNextIntAsync(packetData); bool componentIsPresent = await dataTypes.ReadNextBoolAsync(packetData); // Currently noy implemented log.Debug("New chat preview: "); log.Debug(">> Query ID: " + queryID); log.Debug(">> Component is present: " + componentIsPresent); if (componentIsPresent) { string message = await dataTypes.ReadNextStringAsync(packetData); log.Debug(">> Component: " + ChatParser.ParseText(message)); //handler.OnTextReceived(message, true); } break; case PacketTypesIn.ChatSuggestions: break; case PacketTypesIn.MapChunkBulk: if (protocolVersion < MC_1_9_Version && handler.GetTerrainEnabled()) { int chunkCount; bool hasSkyLight; bool needDispose = false; PacketStream chunkDataStream = packetData; //Read global fields if (protocolVersion < MC_1_8_Version) { chunkCount = await dataTypes.ReadNextShortAsync(packetData); int compressedDataSize = await dataTypes.ReadNextIntAsync(packetData); hasSkyLight = await dataTypes.ReadNextBoolAsync(packetData); byte[] compressed = await dataTypes.ReadDataAsync(compressedDataSize, packetData); ZLibStream zlibStream = new(new MemoryStream(compressed, false), CompressionMode.Decompress, leaveOpen: false); chunkDataStream = new PacketStream(zlibStream, compressedDataSize); needDispose = true; } else { hasSkyLight = await dataTypes.ReadNextBoolAsync(packetData); chunkCount = await dataTypes.ReadNextVarIntAsync(packetData); } //Read chunk records int[] chunkXs = new int[chunkCount]; int[] chunkZs = new int[chunkCount]; ushort[] chunkMasks = new ushort[chunkCount]; ushort[] addBitmaps = new ushort[chunkCount]; for (int chunkColumnNo = 0; chunkColumnNo < chunkCount; chunkColumnNo++) { chunkXs[chunkColumnNo] = await dataTypes.ReadNextIntAsync(packetData); chunkZs[chunkColumnNo] = await dataTypes.ReadNextIntAsync(packetData); chunkMasks[chunkColumnNo] = await dataTypes.ReadNextUShortAsync(packetData); addBitmaps[chunkColumnNo] = protocolVersion < MC_1_8_Version ? await dataTypes.ReadNextUShortAsync(packetData) : (ushort)0; } //Process chunk records for (int chunkColumnNo = 0; chunkColumnNo < chunkCount; chunkColumnNo++) { await pTerrain.ProcessChunkColumnData(chunkXs[chunkColumnNo], chunkZs[chunkColumnNo], chunkMasks[chunkColumnNo], addBitmaps[chunkColumnNo], hasSkyLight, true, currentDimension, chunkDataStream); Interlocked.Decrement(ref handler.GetWorld().chunkLoadNotCompleted); } if (needDispose) await chunkDataStream.DisposeAsync(); } break; case PacketTypesIn.UnloadChunk: if (protocolVersion >= MC_1_9_Version && handler.GetTerrainEnabled()) { int chunkX = await dataTypes.ReadNextIntAsync(packetData); int chunkZ = await dataTypes.ReadNextIntAsync(packetData); // Warning: It is legal to include unloaded chunks in the UnloadChunk packet. // Since chunks that have not been loaded are not recorded, this may result // in loading chunks that should be unloaded and inaccurate statistics. if (handler.GetWorld()[chunkX, chunkZ] != null) Interlocked.Decrement(ref handler.GetWorld().chunkCnt); handler.GetWorld()[chunkX, chunkZ] = null; } break; case PacketTypesIn.ChangeGameState: if (protocolVersion >= MC_1_15_2_Version) { byte reason = await dataTypes.ReadNextByteAsync(packetData); float state = await dataTypes.ReadNextFloatAsync(packetData); handler.OnGameEvent(reason, state); } break; case PacketTypesIn.PlayerInfo: if (protocolVersion >= MC_1_8_Version) { int action = await dataTypes.ReadNextVarIntAsync(packetData); // Action Name int numberOfPlayers = await dataTypes.ReadNextVarIntAsync(packetData); // Number Of Players for (int i = 0; i < numberOfPlayers; i++) { Guid uuid = await dataTypes.ReadNextUUIDAsync(packetData); // Player UUID switch (action) { case 0x00: //Player Join (Add player since 1.19) string name = await dataTypes.ReadNextStringAsync(packetData); // Player name int propNum = await dataTypes.ReadNextVarIntAsync(packetData); // Number of properties in the following array // Property: Tuple[]? properties = useProperty ? new Tuple[propNum] : null; for (int p = 0; p < propNum; p++) { string propertyName = await dataTypes.ReadNextStringAsync(packetData); // Name: String (32767) string val = await dataTypes.ReadNextStringAsync(packetData); // Value: String (32767) string? propertySignature = null; if (await dataTypes.ReadNextBoolAsync(packetData)) // Is Signed propertySignature = await dataTypes.ReadNextStringAsync(packetData); // Signature: String (32767) if (useProperty) properties![p] = new(propertyName, val, propertySignature); } #pragma warning restore CS0162 // Unreachable code detected int gameMode = await dataTypes.ReadNextVarIntAsync(packetData); // Gamemode await handler.OnGamemodeUpdate(uuid, gameMode); int ping = await dataTypes.ReadNextVarIntAsync(packetData); // Ping string? displayName = null; if (await dataTypes.ReadNextBoolAsync(packetData)) // Has display name displayName = await dataTypes.ReadNextStringAsync(packetData); // Display name // 1.19 Additions long? keyExpiration = null; byte[]? publicKey = null, signature = null; if (protocolVersion >= MC_1_19_Version) { if (await dataTypes.ReadNextBoolAsync(packetData)) // Has Sig Data (if true, red the following fields) { keyExpiration = await dataTypes.ReadNextLongAsync(packetData); // Timestamp int publicKeyLength = await dataTypes.ReadNextVarIntAsync(packetData); // Public Key Length if (publicKeyLength > 0) publicKey = await dataTypes.ReadDataAsync(publicKeyLength, packetData); // Public key int signatureLength = await dataTypes.ReadNextVarIntAsync(packetData); // Signature Length if (signatureLength > 0) signature = await dataTypes.ReadDataAsync(signatureLength, packetData); // Public key } } handler.OnPlayerJoin(new PlayerInfo(uuid, name, properties, gameMode, ping, displayName, keyExpiration, publicKey, signature)); break; case 0x01: //Update gamemode await handler.OnGamemodeUpdate(uuid, await dataTypes.ReadNextVarIntAsync(packetData)); break; case 0x02: //Update latency int latency = await dataTypes.ReadNextVarIntAsync(packetData); handler.OnLatencyUpdate(uuid, latency); //Update latency; break; case 0x03: //Update display name if (await dataTypes.ReadNextBoolAsync(packetData)) { PlayerInfo? player = handler.GetPlayerInfo(uuid); if (player != null) player.DisplayName = await dataTypes.ReadNextStringAsync(packetData); else await dataTypes.SkipNextStringAsync(packetData); } break; case 0x04: //Player Leave handler.OnPlayerLeave(uuid); break; default: //Unknown player list item type break; } } } else //MC 1.7.X does not provide UUID in tab-list updates { string name = await dataTypes.ReadNextStringAsync(packetData); bool online = await dataTypes.ReadNextBoolAsync(packetData); short ping = await dataTypes.ReadNextShortAsync(packetData); Guid FakeUUID = new(MD5.HashData(Encoding.UTF8.GetBytes(name)).Take(16).ToArray()); if (online) handler.OnPlayerJoin(new PlayerInfo(name, FakeUUID)); else handler.OnPlayerLeave(FakeUUID); } break; case PacketTypesIn.TabComplete: int old_transaction_id = autocomplete_transaction_id; if (protocolVersion >= MC_1_13_Version) { autocomplete_transaction_id = await dataTypes.ReadNextVarIntAsync(packetData); await dataTypes.SkipNextVarIntAsync(packetData); // Start of text to replace await dataTypes.SkipNextVarIntAsync(packetData); // Length of text to replace } int autocomplete_count = await dataTypes.ReadNextVarIntAsync(packetData); string[] autocomplete_result = new string[autocomplete_count]; for (int i = 0; i < autocomplete_count; i++) { autocomplete_result[i] = await dataTypes.ReadNextStringAsync(packetData); if (protocolVersion >= MC_1_13_Version) { // Skip optional tooltip for each tab-complete resul`t if (await dataTypes.ReadNextBoolAsync(packetData)) await dataTypes.SkipNextStringAsync(packetData); } } handler.OnAutoCompleteDone(old_transaction_id, autocomplete_result); break; case PacketTypesIn.PluginMessage: string channel = await dataTypes.ReadNextStringAsync(packetData); // Length is unneeded as the whole remaining packetData is the entire payload of the packet. if (protocolVersion < MC_1_8_Version) pForge.ReadNextVarShort(packetData); byte[] pluginMessage = await packetData.ReadFullPacket(); handler.OnPluginChannelMessage(channel, pluginMessage); (bool handleForgePlusinMsgStatus, currentDimension) = await pForge.HandlePluginMessage(channel, pluginMessage, currentDimension); return handleForgePlusinMsgStatus; case PacketTypesIn.Disconnect: handler.OnConnectionLost(ChatBot.DisconnectReason.InGameKick, ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData))); return false; case PacketTypesIn.SetCompression: if (protocolVersion >= MC_1_8_Version && protocolVersion < MC_1_9_Version) socketWrapper.CompressionThreshold = await dataTypes.ReadNextVarIntAsync(packetData); break; case PacketTypesIn.OpenWindow: if (handler.GetInventoryEnabled()) { if (protocolVersion < MC_1_14_Version) { // MC 1.13 or lower byte windowID = await dataTypes.ReadNextByteAsync(packetData); string type = (await dataTypes.ReadNextStringAsync(packetData)).Replace("minecraft:", "").ToUpper(); ContainerTypeOld inventoryType = (ContainerTypeOld)Enum.Parse(typeof(ContainerTypeOld), type); string title = await dataTypes.ReadNextStringAsync(packetData); byte slots = await dataTypes.ReadNextByteAsync(packetData); Container inventory = new(windowID, inventoryType, ChatParser.ParseText(title)); handler.OnInventoryOpen(windowID, inventory); } else { // MC 1.14 or greater int windowID = await dataTypes.ReadNextVarIntAsync(packetData); int windowType = await dataTypes.ReadNextVarIntAsync(packetData); string title = await dataTypes.ReadNextStringAsync(packetData); Container inventory = new(windowID, windowType, ChatParser.ParseText(title)); handler.OnInventoryOpen(windowID, inventory); } } break; case PacketTypesIn.CloseWindow: if (handler.GetInventoryEnabled()) { byte windowID = await dataTypes.ReadNextByteAsync(packetData); lock (window_actions) { window_actions[windowID] = 0; } handler.OnInventoryClose(windowID); } break; case PacketTypesIn.WindowItems: if (handler.GetInventoryEnabled()) { byte windowId = await dataTypes.ReadNextByteAsync(packetData); int stateId = -1; int elements = 0; if (protocolVersion >= MC_1_17_1_Version) { // State ID and Elements as VarInt - 1.17.1 and above stateId = await dataTypes.ReadNextVarIntAsync(packetData); elements = await dataTypes.ReadNextVarIntAsync(packetData); } else { // Elements as Short - 1.17.0 and below await dataTypes.ReadNextShortAsync(packetData); } Dictionary inventorySlots = new(); for (int slotId = 0; slotId < elements; slotId++) { Item? item = await dataTypes.ReadNextItemSlotAsync(packetData, itemPalette); if (item != null) inventorySlots[slotId] = item; } if (protocolVersion >= MC_1_17_1_Version) // Carried Item - 1.17.1 and above await dataTypes.ReadNextItemSlotAsync(packetData, itemPalette); handler.OnWindowItems(windowId, inventorySlots, stateId); } break; case PacketTypesIn.WindowProperty: byte containerId = await dataTypes.ReadNextByteAsync(packetData); short propertyId = await dataTypes.ReadNextShortAsync(packetData); short propertyValue = await dataTypes.ReadNextShortAsync(packetData); handler.OnWindowProperties(containerId, propertyId, propertyValue); break; case PacketTypesIn.SetSlot: if (handler.GetInventoryEnabled()) { byte windowID = await dataTypes.ReadNextByteAsync(packetData); int stateId = -1; if (protocolVersion >= MC_1_17_1_Version) stateId = await dataTypes.ReadNextVarIntAsync(packetData); // State ID - 1.17.1 and above short slotID = await dataTypes.ReadNextShortAsync(packetData); Item? item = await dataTypes.ReadNextItemSlotAsync(packetData, itemPalette); handler.OnSetSlot(windowID, slotID, item, stateId); } break; case PacketTypesIn.WindowConfirmation: if (handler.GetInventoryEnabled()) { byte windowID = await dataTypes.ReadNextByteAsync(packetData); short actionID = await dataTypes.ReadNextShortAsync(packetData); bool accepted = await dataTypes.ReadNextBoolAsync(packetData); if (!accepted) await SendWindowConfirmation(windowID, actionID, true); } break; case PacketTypesIn.ResourcePackSend: string url = await dataTypes.ReadNextStringAsync(packetData); string hash = await dataTypes.ReadNextStringAsync(packetData); bool forced = true; // Assume forced for MC 1.16 and below if (protocolVersion >= MC_1_17_Version) { forced = await dataTypes.ReadNextBoolAsync(packetData); bool hasPromptMessage = await dataTypes.ReadNextBoolAsync(packetData); // Has Prompt Message (Boolean) - 1.17 and above if (hasPromptMessage) await dataTypes.SkipNextStringAsync(packetData); // Prompt Message (Optional Chat) - 1.17 and above } // Some server plugins may send invalid resource packs to probe the client and we need to ignore them (issue #1056) if (!url.StartsWith("http") && hash.Length != 40) // Some server may have null hash value break; //Send back "accepted" and "successfully loaded" responses for plugins or server config making use of resource pack mandatory byte[] responseHeader = Array.Empty(); if (protocolVersion < MC_1_10_Version) //MC 1.10 does not include resource pack hash in responses responseHeader = dataTypes.ConcatBytes(dataTypes.GetVarInt(hash.Length), Encoding.UTF8.GetBytes(hash)); await SendPacket(PacketTypesOut.ResourcePackStatus, dataTypes.ConcatBytes(responseHeader, dataTypes.GetVarInt(3))); //Accepted pack await SendPacket(PacketTypesOut.ResourcePackStatus, dataTypes.ConcatBytes(responseHeader, dataTypes.GetVarInt(0))); //Successfully loaded break; case PacketTypesIn.SpawnEntity: if (handler.GetEntityHandlingEnabled()) { Entity entity = await dataTypes.ReadNextEntity(packetData, entityPalette, false); handler.OnSpawnEntity(entity); } break; case PacketTypesIn.EntityEquipment: if (handler.GetEntityHandlingEnabled()) { int entityid = await dataTypes.ReadNextVarIntAsync(packetData); if (protocolVersion >= MC_1_16_Version) { bool hasNext; do { byte bitsData = await dataTypes.ReadNextByteAsync(packetData); // Top bit set if another entry follows, and otherwise unset if this is the last item in the array hasNext = bitsData >> 7 == 1; int slot2 = bitsData >> 1; Item? item = await dataTypes.ReadNextItemSlotAsync(packetData, itemPalette); handler.OnEntityEquipment(entityid, slot2, item); } while (hasNext); } else { int slot2 = await dataTypes.ReadNextVarIntAsync(packetData); Item? item = await dataTypes.ReadNextItemSlotAsync(packetData, itemPalette); handler.OnEntityEquipment(entityid, slot2, item); } } break; case PacketTypesIn.SpawnLivingEntity: if (handler.GetEntityHandlingEnabled()) { Entity entity = await dataTypes.ReadNextEntity(packetData, entityPalette, true); // packet before 1.15 has metadata at the end // this is not handled in dataTypes.ReadNextEntity() // we are simply ignoring leftover data in packet handler.OnSpawnEntity(entity); } break; case PacketTypesIn.SpawnPlayer: if (handler.GetEntityHandlingEnabled()) { int EntityID = await dataTypes.ReadNextVarIntAsync(packetData); Guid UUID = await dataTypes.ReadNextUUIDAsync(packetData); double X = await dataTypes.ReadNextDoubleAsync(packetData); double Y = await dataTypes.ReadNextDoubleAsync(packetData); double Z = await dataTypes.ReadNextDoubleAsync(packetData); byte Yaw = await dataTypes.ReadNextByteAsync(packetData); byte Pitch = await dataTypes.ReadNextByteAsync(packetData); Location EntityLocation = new(X, Y, Z); handler.OnSpawnPlayer(EntityID, UUID, EntityLocation, Yaw, Pitch); } break; case PacketTypesIn.EntityEffect: if (handler.GetEntityHandlingEnabled()) { int entityid = await dataTypes.ReadNextVarIntAsync(packetData); Effects effect = Effects.Speed; int effectId = protocolVersion >= MC_1_18_2_Version ? await dataTypes.ReadNextVarIntAsync(packetData) : await dataTypes.ReadNextByteAsync(packetData); if (Enum.TryParse(effectId.ToString(), out effect)) { int amplifier = await dataTypes.ReadNextByteAsync(packetData); int duration = await dataTypes.ReadNextVarIntAsync(packetData); byte flags = await dataTypes.ReadNextByteAsync(packetData); bool hasFactorData = false; Dictionary? factorCodec = null; if (protocolVersion >= MC_1_19_Version) { hasFactorData = await dataTypes.ReadNextBoolAsync(packetData); if (hasFactorData) factorCodec = await dataTypes.ReadNextNbtAsync(packetData); } handler.OnEntityEffect(entityid, effect, amplifier, duration, flags, hasFactorData, factorCodec); } } break; case PacketTypesIn.DestroyEntities: if (handler.GetEntityHandlingEnabled()) { int entityCount = 1; // 1.17.0 has only one entity per packet if (protocolVersion != MC_1_17_Version) entityCount = await dataTypes.ReadNextVarIntAsync(packetData); // All other versions have a "count" field int[] entityList = new int[entityCount]; for (int i = 0; i < entityCount; i++) { entityList[i] = await dataTypes.ReadNextVarIntAsync(packetData); } handler.OnDestroyEntities(entityList); } break; case PacketTypesIn.EntityPosition: if (handler.GetEntityHandlingEnabled()) { int EntityID = await dataTypes.ReadNextVarIntAsync(packetData); double DeltaX = Convert.ToDouble(await dataTypes.ReadNextShortAsync(packetData)); double DeltaY = Convert.ToDouble(await dataTypes.ReadNextShortAsync(packetData)); double DeltaZ = Convert.ToDouble(await dataTypes.ReadNextShortAsync(packetData)); bool OnGround = await dataTypes.ReadNextBoolAsync(packetData); DeltaX /= 128 * 32; DeltaY /= 128 * 32; DeltaZ /= 128 * 32; handler.OnEntityPosition(EntityID, DeltaX, DeltaY, DeltaZ, OnGround); } break; case PacketTypesIn.EntityPositionAndRotation: if (handler.GetEntityHandlingEnabled()) { int EntityID = await dataTypes.ReadNextVarIntAsync(packetData); double DeltaX = Convert.ToDouble(await dataTypes.ReadNextShortAsync(packetData)); double DeltaY = Convert.ToDouble(await dataTypes.ReadNextShortAsync(packetData)); double DeltaZ = Convert.ToDouble(await dataTypes.ReadNextShortAsync(packetData)); byte _yaw = await dataTypes.ReadNextByteAsync(packetData); byte _pitch = await dataTypes.ReadNextByteAsync(packetData); bool OnGround = await dataTypes.ReadNextBoolAsync(packetData); DeltaX /= 128 * 32; DeltaY /= 128 * 32; DeltaZ /= 128 * 32; handler.OnEntityPosition(EntityID, DeltaX, DeltaY, DeltaZ, OnGround); } break; case PacketTypesIn.EntityProperties: if (handler.GetEntityHandlingEnabled()) { int EntityID = await dataTypes.ReadNextVarIntAsync(packetData); int NumberOfProperties = protocolVersion >= MC_1_17_Version ? await dataTypes.ReadNextVarIntAsync(packetData) : await dataTypes.ReadNextIntAsync(packetData); Dictionary keys = new(); for (int i = 0; i < NumberOfProperties; i++) { string _key = await dataTypes.ReadNextStringAsync(packetData); double _value = await dataTypes.ReadNextDoubleAsync(packetData); List op0 = new(); List op1 = new(); List op2 = new(); int NumberOfModifiers = await dataTypes.ReadNextVarIntAsync(packetData); for (int j = 0; j < NumberOfModifiers; j++) { await dataTypes.SkipNextUUIDAsync(packetData); double amount = await dataTypes.ReadNextDoubleAsync(packetData); byte operation = await dataTypes.ReadNextByteAsync(packetData); switch (operation) { case 0: op0.Add(amount); break; case 1: op1.Add(amount); break; case 2: op2.Add(amount + 1); break; } } if (op0.Count > 0) _value += op0.Sum(); if (op1.Count > 0) _value *= 1 + op1.Sum(); if (op2.Count > 0) _value *= op2.Aggregate((a, _x) => a * _x); keys.Add(_key, _value); } handler.OnEntityProperties(EntityID, keys); } break; case PacketTypesIn.EntityMetadata: if (handler.GetEntityHandlingEnabled()) { int EntityID = await dataTypes.ReadNextVarIntAsync(packetData); Dictionary metadata = await dataTypes.ReadNextMetadataAsync(packetData, itemPalette); int healthField; // See https://wiki.vg/Entity_metadata#Living_Entity if (protocolVersion > MC_1_19_2_Version) throw new NotImplementedException(Translations.exception_palette_healthfield); else if (protocolVersion >= MC_1_17_Version) // 1.17 and above healthField = 9; else if (protocolVersion >= MC_1_14_Version) // 1.14 and above healthField = 8; else if (protocolVersion >= MC_1_10_Version) // 1.10 and above healthField = 7; else throw new NotImplementedException(Translations.exception_palette_healthfield); if (metadata.TryGetValue(healthField, out object? healthObj) && healthObj != null && healthObj.GetType() == typeof(float)) handler.OnEntityHealth(EntityID, (float)healthObj); handler.OnEntityMetadata(EntityID, metadata); } break; case PacketTypesIn.EntityStatus: if (handler.GetEntityHandlingEnabled()) { int entityId = await dataTypes.ReadNextIntAsync(packetData); byte status = await dataTypes.ReadNextByteAsync(packetData); handler.OnEntityStatus(entityId, status); } break; case PacketTypesIn.TimeUpdate: long WorldAge = await dataTypes.ReadNextLongAsync(packetData); long TimeOfday = await dataTypes.ReadNextLongAsync(packetData); handler.OnTimeUpdate(WorldAge, TimeOfday); break; case PacketTypesIn.SystemChat: string systemMessage = await dataTypes.ReadNextStringAsync(packetData); int msgType = await dataTypes.ReadNextVarIntAsync(packetData); if (msgType == 1 && !Config.Main.Advanced.ShowSystemMessages) break; handler.OnTextReceived(new(systemMessage, true, msgType, Guid.Empty, true)); break; case PacketTypesIn.EntityTeleport: if (handler.GetEntityHandlingEnabled()) { int EntityID = await dataTypes.ReadNextVarIntAsync(packetData); double X = await dataTypes.ReadNextDoubleAsync(packetData); double Y = await dataTypes.ReadNextDoubleAsync(packetData); double Z = await dataTypes.ReadNextDoubleAsync(packetData); byte EntityYaw = await dataTypes.ReadNextByteAsync(packetData); byte EntityPitch = await dataTypes.ReadNextByteAsync(packetData); bool OnGround = await dataTypes.ReadNextBoolAsync(packetData); handler.OnEntityTeleport(EntityID, X, Y, Z, OnGround); } break; case PacketTypesIn.UpdateHealth: float health = await dataTypes.ReadNextFloatAsync(packetData); int food; if (protocolVersion >= MC_1_8_Version) food = await dataTypes.ReadNextVarIntAsync(packetData); else food = await dataTypes.ReadNextShortAsync(packetData); await dataTypes.SkipNextFloatAsync(packetData); // Food Saturation handler.OnUpdateHealth(health, food); break; case PacketTypesIn.SetExperience: float experiencebar = await dataTypes.ReadNextFloatAsync(packetData); int level = await dataTypes.ReadNextVarIntAsync(packetData); int totalexperience = await dataTypes.ReadNextVarIntAsync(packetData); handler.OnSetExperience(experiencebar, level, totalexperience); break; case PacketTypesIn.Explosion: Location explosionLocation = new(await dataTypes.ReadNextFloatAsync(packetData), await dataTypes.ReadNextFloatAsync(packetData), await dataTypes.ReadNextFloatAsync(packetData)); float explosionStrength = await dataTypes.ReadNextFloatAsync(packetData); int explosionBlockCount = protocolVersion >= MC_1_17_Version ? await dataTypes.ReadNextVarIntAsync(packetData) : await dataTypes.ReadNextIntAsync(packetData); for (int i = 0; i < explosionBlockCount; i++) await dataTypes.DropDataAsync(3, packetData); float playerVelocityX = await dataTypes.ReadNextFloatAsync(packetData); float playerVelocityY = await dataTypes.ReadNextFloatAsync(packetData); float playerVelocityZ = await dataTypes.ReadNextFloatAsync(packetData); handler.OnExplosion(explosionLocation, explosionStrength, explosionBlockCount); break; case PacketTypesIn.HeldItemChange: byte slot = await dataTypes.ReadNextByteAsync(packetData); handler.OnHeldItemChange(slot); break; case PacketTypesIn.ScoreboardObjective: string objectivename = await dataTypes.ReadNextStringAsync(packetData); byte mode = await dataTypes.ReadNextByteAsync(packetData); string objectivevalue = string.Empty; int type2 = -1; if (mode == 0 || mode == 2) { objectivevalue = await dataTypes.ReadNextStringAsync(packetData); type2 = await dataTypes.ReadNextVarIntAsync(packetData); } handler.OnScoreboardObjective(objectivename, mode, objectivevalue, type2); break; case PacketTypesIn.UpdateScore: string entityname = await dataTypes.ReadNextStringAsync(packetData); int action3 = protocolVersion >= MC_1_18_2_Version ? await dataTypes.ReadNextVarIntAsync(packetData) : await dataTypes.ReadNextByteAsync(packetData); string objectivename2 = string.Empty; int value = -1; if (action3 != 1 || protocolVersion >= MC_1_8_Version) objectivename2 = await dataTypes.ReadNextStringAsync(packetData); if (action3 != 1) value = await dataTypes.ReadNextVarIntAsync(packetData); handler.OnUpdateScore(entityname, action3, objectivename2, value); break; case PacketTypesIn.BlockChangedAck: handler.OnBlockChangeAck(await dataTypes.ReadNextVarIntAsync(packetData)); break; case PacketTypesIn.BlockBreakAnimation: if (handler.GetEntityHandlingEnabled() && handler.GetTerrainEnabled()) { int playerId = await dataTypes.ReadNextVarIntAsync(packetData); Location blockLocation = await dataTypes.ReadNextLocationAsync(packetData); byte stage = await dataTypes.ReadNextByteAsync(packetData); handler.OnBlockBreakAnimation(playerId, blockLocation, stage); } break; case PacketTypesIn.EntityAnimation: if (handler.GetEntityHandlingEnabled()) { int playerId2 = await dataTypes.ReadNextVarIntAsync(packetData); byte animation = await dataTypes.ReadNextByteAsync(packetData); handler.OnEntityAnimation(playerId2, animation); } break; default: return false; //Ignored packet } return true; //Packet processed } catch (Exception innerException) { if (innerException is ThreadAbortException || innerException is SocketException || innerException.InnerException is SocketException) throw; //Thread abort or Connection lost rather than invalid data throw new InvalidDataException( string.Format(Translations.exception_packet_process, packetPalette.GetIncommingTypeById(packetID), packetID, protocolVersion, login_phase, innerException.GetType()), innerException); } } /// /// Disconnect from the server, cancel network reading. /// public void Dispose() { try { socketWrapper.Disconnect(); } catch { } } /// /// Send a packet to the server. Packet ID, compression, and encryption will be handled automatically. /// /// packet type /// packet Data private async Task SendPacket(PacketTypesOut packet, IEnumerable packetData) { await SendPacket(packetPalette.GetOutgoingIdByType(packet), packetData); } /// /// Send a packet to the server. Packet ID, compression, and encryption will be handled automatically. /// /// packet type /// packet Data private async Task SendPacket(PacketTypesOut packet, PacketStream packetData) { await SendPacket(packetPalette.GetOutgoingIdByType(packet), await packetData.ReadFullPacket()); } /// /// Send a packet to the server. Compression and encryption will be handled automatically. /// /// packet ID /// packet Data private async Task SendPacket(int packetID, IEnumerable packetData) { if (handler.GetNetworkPacketCaptureEnabled()) { List clone = packetData.ToList(); handler.OnNetworkPacket(packetID, clone, login_phase, false); } // log.Info("[C -> S] Sending packet " + packetID + " > " + dataTypes.ByteArrayToString(packetData.ToArray())); //The inner packet byte[] the_packet = dataTypes.ConcatBytes(dataTypes.GetVarInt(packetID), packetData.ToArray()); if (socketWrapper.CompressionThreshold > 0) //Compression enabled? { if (the_packet.Length >= socketWrapper.CompressionThreshold) //Packet long enough for compressing? { //var compressed = new MemoryStream(); //var zLibStream = new ZLibStream(compressed, CompressionMode.Compress, false); //zLibStream.Write(the_packet); //byte[] compressed_packet = compressed.ToArray(); //zLibStream.Dispose(); byte[] compressed_packet; using (MemoryStream memstream = new()) { using (ZLibStream stream = new(memstream, CompressionMode.Compress)) { stream.Write(the_packet); } compressed_packet = memstream.ToArray(); } the_packet = dataTypes.ConcatBytes(dataTypes.GetVarInt(the_packet.Length), compressed_packet); } else { byte[] uncompressed_length = dataTypes.GetVarInt(0); //Not compressed (short packet) the_packet = dataTypes.ConcatBytes(uncompressed_length, the_packet); } } //log.Debug("[C -> S] Sending packet " + packetID + " > " + dataTypes.ByteArrayToString(dataTypes.ConcatBytes(dataTypes.GetVarInt(the_packet.Length), the_packet))); await socketWrapper.SendAsync(dataTypes.ConcatBytes(dataTypes.GetVarInt(the_packet.Length), the_packet)); } /// /// Do the Minecraft login. /// /// True if login successful public async Task Login(HttpClient httpClient, PlayerKeyPair? playerKeyPair, SessionToken session) { byte[] protocol_version = dataTypes.GetVarInt(protocolVersion); string server_address = pForge.GetServerAddress(handler.GetServerHost()); byte[] server_port = dataTypes.GetUShort((ushort)handler.GetServerPort()); byte[] next_state = dataTypes.GetVarInt(2); byte[] handshake_packet = dataTypes.ConcatBytes(protocol_version, dataTypes.GetString(server_address), server_port, next_state); await SendPacket(0x00, handshake_packet); List fullLoginPacket = new(); fullLoginPacket.AddRange(dataTypes.GetString(handler.GetUsername())); // Username if (protocolVersion >= MC_1_19_Version) { if (playerKeyPair == null) fullLoginPacket.AddRange(dataTypes.GetBool(false)); // Has Sig Data else { fullLoginPacket.AddRange(dataTypes.GetBool(true)); // Has Sig Data fullLoginPacket.AddRange(dataTypes.GetLong(playerKeyPair.GetExpirationMilliseconds())); // Expiration time fullLoginPacket.AddRange(dataTypes.GetArray(playerKeyPair.PublicKey.Key)); // Public key received from Microsoft API if (protocolVersion >= MC_1_19_2_Version) fullLoginPacket.AddRange(dataTypes.GetArray(playerKeyPair.PublicKey.SignatureV2!)); // Public key signature received from Microsoft API else fullLoginPacket.AddRange(dataTypes.GetArray(playerKeyPair.PublicKey.Signature!)); // Public key signature received from Microsoft API } } if (protocolVersion >= MC_1_19_2_Version) { Guid uuid = handler.GetUserUuid(); if (uuid == Guid.Empty) fullLoginPacket.AddRange(dataTypes.GetBool(false)); // Has UUID else { fullLoginPacket.AddRange(dataTypes.GetBool(true)); // Has UUID fullLoginPacket.AddRange(dataTypes.GetUUID(uuid)); // UUID } } await SendPacket(0x00, fullLoginPacket); while (true) { (int packetID, PacketStream packetData) = await socketWrapper.GetNextPacket(handleCompress: protocolVersion >= MC_1_8_Version); if (packetID == 0x00) //Login rejected { handler.OnConnectionLost(ChatBot.DisconnectReason.LoginRejected, ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData))); return false; } else if (packetID == 0x01) //Encryption request { isOnlineMode = true; string serverID = await dataTypes.ReadNextStringAsync(packetData); byte[] serverPublicKey = await dataTypes.ReadNextByteArrayAsync(packetData); byte[] token = await dataTypes.ReadNextByteArrayAsync(packetData); return await StartEncryption(httpClient, handler.GetUserUuidStr(), handler.GetSessionID(), token, serverID, serverPublicKey, playerKeyPair, session); } else if (packetID == 0x02) //Login successful { log.Info("§8" + Translations.mcc_server_offline); login_phase = false; if (!await pForge.CompleteForgeHandshake(socketWrapper)) { log.Error("§8" + Translations.error_forge); return false; } // StartUpdating(); return true; //No need to check session or start encryption } else { await HandlePacket(packetID, packetData); } } } /// /// Start network encryption. Automatically called by Login() if the server requests encryption. /// /// True if encryption was successful private async Task StartEncryption(HttpClient httpClient, string uuid, string sessionID, byte[] token, string serverIDhash, byte[] serverPublicKey, PlayerKeyPair? playerKeyPair, SessionToken session) { RSACryptoServiceProvider RSAService = CryptoHandler.DecodeRSAPublicKey(serverPublicKey)!; byte[] secretKey = CryptoHandler.ClientAESPrivateKey ?? CryptoHandler.GenerateAESPrivateKey(); log.Debug("§8" + Translations.debug_crypto); if (serverIDhash != "-") { log.Info(Translations.mcc_session); bool needCheckSession = true; string serverHash = CryptoHandler.GetServerHash(serverIDhash, serverPublicKey, secretKey); if (session.SessionPreCheckTask != null && session.ServerInfoHash != null && serverHash == session.ServerInfoHash) { try { bool preCheckResult = await session.SessionPreCheckTask; if (preCheckResult) // PreCheck Successed needCheckSession = false; } catch (HttpRequestException) { } session.SessionPreCheckTask = null; } if (needCheckSession) { var sessionCheck = await ProtocolHandler.SessionCheckAsync(httpClient, uuid, sessionID, serverHash); if (sessionCheck) { SessionCache.StoreServerInfo($"{InternalConfig.ServerIP}:{InternalConfig.ServerPort}", serverIDhash, serverPublicKey); } else { handler.OnConnectionLost(ChatBot.DisconnectReason.LoginRejected, Translations.mcc_session_fail); return false; } } } // Encryption Response packet List encryptionResponse = new(); encryptionResponse.AddRange(dataTypes.GetArray(RSAService.Encrypt(secretKey, false))); // Shared Secret if (protocolVersion >= MC_1_19_Version) { if (playerKeyPair == null) { encryptionResponse.AddRange(dataTypes.GetBool(true)); // Has Verify Token encryptionResponse.AddRange(dataTypes.GetArray(RSAService.Encrypt(token, false))); // Verify Token } else { byte[] salt = GenerateSalt(); byte[] messageSignature = playerKeyPair.PrivateKey.SignData(dataTypes.ConcatBytes(token, salt)); encryptionResponse.AddRange(dataTypes.GetBool(false)); // Has Verify Token encryptionResponse.AddRange(salt); // Salt encryptionResponse.AddRange(dataTypes.GetArray(messageSignature)); // Message Signature } } else { encryptionResponse.AddRange(dataTypes.GetArray(RSAService.Encrypt(token, false))); // Verify Token } await SendPacket(0x01, encryptionResponse); // Start client-side encryption socketWrapper.SwitchToEncrypted(secretKey); // pre switch // Process the next packet int loopPrevention = ushort.MaxValue; while (true) { (int packetID, PacketStream packetData) = await socketWrapper.GetNextPacket(handleCompress: protocolVersion >= MC_1_8_Version); if (packetID < 0 || loopPrevention-- < 0) // Failed to read packet or too many iterations (issue #1150) { handler.OnConnectionLost(ChatBot.DisconnectReason.ConnectionLost, "§8" + Translations.error_invalid_encrypt); return false; } else if (packetID == 0x00) //Login rejected { handler.OnConnectionLost(ChatBot.DisconnectReason.LoginRejected, ChatParser.ParseText(await dataTypes.ReadNextStringAsync(packetData))); return false; } else if (packetID == 0x02) //Login successful { Guid uuidReceived; if (protocolVersion >= MC_1_16_Version) uuidReceived = await dataTypes.ReadNextUUIDAsync(packetData); else uuidReceived = Guid.Parse(await dataTypes.ReadNextStringAsync(packetData)); string userName = await dataTypes.ReadNextStringAsync(packetData); Tuple[]? playerProperty = null; if (protocolVersion >= MC_1_19_Version) { int count = await dataTypes.ReadNextVarIntAsync(packetData); // Number Of Properties playerProperty = new Tuple[count]; for (int i = 0; i < count; ++i) { string name = await dataTypes.ReadNextStringAsync(packetData); string value = await dataTypes.ReadNextStringAsync(packetData); bool isSigned = await dataTypes.ReadNextBoolAsync(packetData); string signature = isSigned ? await dataTypes.ReadNextStringAsync(packetData) : string.Empty; playerProperty[i] = new Tuple(name, value, signature); } } handler.OnLoginSuccess(uuidReceived, userName, playerProperty); login_phase = false; if (!await pForge.CompleteForgeHandshake(socketWrapper)) { log.Error("§8" + Translations.error_forge_encrypt); return false; } // StartUpdating(); return true; } else { await HandlePacket(packetID, packetData); } } } /// /// Disconnect from the server /// public void Disconnect() { socketWrapper.Disconnect(); } /// /// Autocomplete text while typing username or command /// /// Text behind cursor /// Completed text async Task IAutoComplete.AutoComplete(string BehindCursor) { if (string.IsNullOrEmpty(BehindCursor)) return -1; byte[] transaction_id = dataTypes.GetVarInt(autocomplete_transaction_id); byte[] assume_command = new byte[] { 0x00 }; byte[] has_position = new byte[] { 0x00 }; byte[] tabcomplete_packet = Array.Empty(); if (protocolVersion >= MC_1_8_Version) { if (protocolVersion >= MC_1_13_Version) { tabcomplete_packet = dataTypes.ConcatBytes(tabcomplete_packet, transaction_id); tabcomplete_packet = dataTypes.ConcatBytes(tabcomplete_packet, dataTypes.GetString(BehindCursor.Replace(' ', (char)0x00))); } else { tabcomplete_packet = dataTypes.ConcatBytes(tabcomplete_packet, dataTypes.GetString(BehindCursor)); if (protocolVersion >= MC_1_9_Version) tabcomplete_packet = dataTypes.ConcatBytes(tabcomplete_packet, assume_command); tabcomplete_packet = dataTypes.ConcatBytes(tabcomplete_packet, has_position); } } else { tabcomplete_packet = dataTypes.ConcatBytes(dataTypes.GetString(BehindCursor)); } ConsoleIO.AutoCompleteDone = false; await SendPacket(PacketTypesOut.TabComplete, tabcomplete_packet); return autocomplete_transaction_id; } internal record PingResult { #pragma warning disable IDE1006 // Naming Styles public bool previewsChat { init; get; } public bool enforcesSecureChat { init; get; } public Dictionary? description { init; get; } public PlayerInfo? players { init; get; } public VersionInfo? version { init; get; } public string? favicon { init; get; } public FrogeInfoFML1? modinfo { init; get; } public FrogeInfoFML2? forgeData { init; get; } public record PlayerInfo { public int max { init; get; } public int online { init; get; } } public record VersionInfo { public string? name { init; get; } public int protocol { init; get; } } public record FrogeInfoFML1 { public string? type { init; get; } public ForgeInfo.ForgeMod[]? modList { init; get; } } public record FrogeInfoFML2 { public FrogeChannelInfo[]? channels { init; get; } public ForgeInfo.ForgeMod[]? mods { init; get; } public string? fmlNetworkVersion { init; get; } public record FrogeChannelInfo { public string? res { init; get; } public string? version { init; get; } public bool required { init; get; } } } #pragma warning restore IDE1006 // Naming Styles } /// /// Ping a Minecraft server to get information about the server /// /// True if ping was successful public static async Task> DoPing(string host, int port, CancellationToken cancelToken) { TcpClient tcpClient = ProxyHandler.NewTcpClient(host, port, ProxyHandler.ClientType.Ingame); tcpClient.ReceiveBufferSize = 1024 * 1024; tcpClient.ReceiveTimeout = Config.Main.Advanced.TcpTimeout * 1000; SocketWrapper socketWrapper = new(tcpClient); DataTypes dataTypes = new(MC_1_8_Version); byte[] packet_id = dataTypes.GetVarInt(0); byte[] protocol_version = dataTypes.GetVarInt(-1); byte[] server_port = BitConverter.GetBytes((ushort)port); Array.Reverse(server_port); byte[] next_state = dataTypes.GetVarInt(1); byte[] packet = dataTypes.ConcatBytes(packet_id, protocol_version, dataTypes.GetString(host), server_port, next_state); byte[] tosend = dataTypes.ConcatBytes(dataTypes.GetVarInt(packet.Length), packet); await socketWrapper.SendAsync(tosend, cancelToken); byte[] status_request = dataTypes.GetVarInt(0); byte[] request_packet = dataTypes.ConcatBytes(dataTypes.GetVarInt(status_request.Length), status_request); await socketWrapper.SendAsync(request_packet, cancelToken); (int packetID, PacketStream packetData) = await socketWrapper.GetNextPacket(false, cancelToken); if (packetID == 0x00) { string result = await dataTypes.ReadNextStringAsync(packetData); //Get the Json data if (Config.Logging.DebugMessages) { // May contain formatting codes, cannot use WriteLineFormatted Console.ForegroundColor = ConsoleColor.DarkGray; ConsoleIO.WriteLine(result); Console.ForegroundColor = ConsoleColor.Gray; } if (!string.IsNullOrEmpty(result)) { try { PingResult? jsonData = JsonSerializer.Deserialize(result); if (jsonData != null && jsonData.version != null) { // Retrieve display name of the Minecraft version string version = jsonData.version.name ?? string.Empty; // Retrieve protocol version number for handling this server int protocolVersion = jsonData.version.protocol; // Check for forge on the server. ForgeInfo? forgeInfo = null; Protocol18Forge.ServerInfoCheckForge(jsonData, ref forgeInfo); ConsoleIO.WriteLineFormatted("§8" + string.Format(Translations.mcc_server_protocol, version, protocolVersion + (forgeInfo == null ? string.Empty : Translations.mcc_with_forge))); return new(true, protocolVersion, forgeInfo); } } catch (JsonException) { } catch (ArgumentNullException) { } } } return new(false, 0, null); } /// /// Get max length for chat messages /// /// Max length, in characters public int GetMaxChatMessageLength() { return protocolVersion > MC_1_10_Version ? 256 : 100; } /// /// Get the current protocol version. /// /// /// Version-specific operations should be handled inside the Protocol handled whenever possible. /// /// Minecraft Protocol version number public int GetProtocolVersion() { return protocolVersion; } /// /// Send MessageAcknowledgment packet /// /// Message acknowledgment /// True if properly sent public async Task SendMessageAcknowledgment(LastSeenMessageList.Acknowledgment acknowledgment) { try { byte[] fields = dataTypes.GetAcknowledgment(acknowledgment, isOnlineMode && Config.Signature.LoginWithSecureProfile); await SendPacket(PacketTypesOut.MessageAcknowledgment, fields); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public LastSeenMessageList.Acknowledgment ConsumeAcknowledgment() { pendingAcknowledgments = 0; return new LastSeenMessageList.Acknowledgment(lastSeenMessagesCollector.GetLastSeenMessages(), lastReceivedMessage); } public async Task Acknowledge(ChatMessage message) { LastSeenMessageList.Entry? entry = message.ToLastSeenMessageEntry(); if (entry != null) { lastSeenMessagesCollector.Add(entry); lastReceivedMessage = null; if (pendingAcknowledgments++ > 64) await SendMessageAcknowledgment(ConsumeAcknowledgment()); } } /// /// Send a chat command to the server - 1.19 and above /// /// Command /// PlayerKeyPair /// True if properly sent public async Task SendChatCommand(string command, PlayerKeyPair? playerKeyPair) { if (string.IsNullOrEmpty(command)) return true; command = GetCharFilterRegex1().Replace(command, " "); command = GetCharFilterRegex2().Replace(command, string.Empty); log.Debug("chat command = " + command); try { LastSeenMessageList.Acknowledgment? acknowledgment = protocolVersion >= MC_1_19_2_Version ? ConsumeAcknowledgment() : null; List fields = new(); // Command: String fields.AddRange(dataTypes.GetString(command)); // Timestamp: Instant(Long) DateTimeOffset timeNow = DateTimeOffset.UtcNow; fields.AddRange(dataTypes.GetLong(timeNow.ToUnixTimeMilliseconds())); List>? needSigned = null; // List< Argument Name, Argument Value > if (playerKeyPair != null && isOnlineMode && protocolVersion >= MC_1_19_Version && Config.Signature.LoginWithSecureProfile && Config.Signature.SignMessageInCommand) needSigned = DeclareCommands.CollectSignArguments(command); if (needSigned == null || needSigned!.Count == 0) { fields.AddRange(dataTypes.GetLong(0)); // Salt: Long fields.AddRange(dataTypes.GetVarInt(0)); // Signature Length: VarInt } else { Guid uuid = handler.GetUserUuid(); byte[] salt = GenerateSalt(); fields.AddRange(salt); // Salt: Long fields.AddRange(dataTypes.GetVarInt(needSigned.Count)); // Signature Length: VarInt foreach ((string argName, string message) in needSigned) { fields.AddRange(dataTypes.GetString(argName)); // Argument name: String byte[] sign = protocolVersion >= MC_1_19_2_Version ? playerKeyPair!.PrivateKey.SignMessage(message, uuid, timeNow, ref salt, acknowledgment!.lastSeen) : playerKeyPair!.PrivateKey.SignMessage(message, uuid, timeNow, ref salt); fields.AddRange(dataTypes.GetVarInt(sign.Length)); // Signature length: VarInt fields.AddRange(sign); // Signature: Byte Array } } // Signed Preview: Boolean fields.AddRange(dataTypes.GetBool(false)); if (protocolVersion >= MC_1_19_2_Version) { // Message Acknowledgment fields.AddRange(dataTypes.GetAcknowledgment(acknowledgment!, isOnlineMode && Config.Signature.LoginWithSecureProfile)); } await SendPacket(PacketTypesOut.ChatCommand, fields); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } /// /// Send a chat message to the server /// /// Message /// PlayerKeyPair /// True if properly sent public async Task SendChatMessage(string message, PlayerKeyPair? playerKeyPair) { if (string.IsNullOrEmpty(message)) return true; // Process Chat Command - 1.19 and above if (protocolVersion >= MC_1_19_Version && message.StartsWith('/')) return await SendChatCommand(message[1..], playerKeyPair); try { List fields = new(); // Message: String (up to 256 chars) fields.AddRange(dataTypes.GetString(message)); if (protocolVersion >= MC_1_19_Version) { LastSeenMessageList.Acknowledgment? acknowledgment = protocolVersion >= MC_1_19_2_Version ? ConsumeAcknowledgment() : null; // Timestamp: Instant(Long) DateTimeOffset timeNow = DateTimeOffset.UtcNow; fields.AddRange(dataTypes.GetLong(timeNow.ToUnixTimeMilliseconds())); if (!isOnlineMode || playerKeyPair == null || !Config.Signature.LoginWithSecureProfile || !Config.Signature.SignChat) { fields.AddRange(dataTypes.GetLong(0)); // Salt: Long fields.AddRange(dataTypes.GetVarInt(0)); // Signature Length: VarInt } else { // Salt: Long byte[] salt = GenerateSalt(); fields.AddRange(salt); // Signature Length & Signature: (VarInt) and Byte Array Guid uuid = handler.GetUserUuid(); byte[] sign = protocolVersion >= MC_1_19_2_Version ? playerKeyPair.PrivateKey.SignMessage(message, uuid, timeNow, ref salt, acknowledgment!.lastSeen) : playerKeyPair.PrivateKey.SignMessage(message, uuid, timeNow, ref salt); fields.AddRange(dataTypes.GetVarInt(sign.Length)); fields.AddRange(sign); } // Signed Preview: Boolean fields.AddRange(dataTypes.GetBool(false)); if (protocolVersion >= MC_1_19_2_Version) { // Message Acknowledgment fields.AddRange(dataTypes.GetAcknowledgment(acknowledgment!, isOnlineMode && Config.Signature.LoginWithSecureProfile)); } } await SendPacket(PacketTypesOut.ChatMessage, fields); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendEntityAction(int PlayerEntityID, int ActionID) { try { List fields = new(); fields.AddRange(dataTypes.GetVarInt(PlayerEntityID)); fields.AddRange(dataTypes.GetVarInt(ActionID)); fields.AddRange(dataTypes.GetVarInt(0)); await SendPacket(PacketTypesOut.EntityAction, fields); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } /// /// Send a respawn packet to the server /// /// True if properly sent public async Task SendRespawnPacket() { try { await SendPacket(PacketTypesOut.ClientStatus, new byte[] { 0 }); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } /// /// Tell the server what client is being used to connect to the server /// /// Client string describing the client /// True if brand info was successfully sent public async Task SendBrandInfo(string brandInfo) { if (string.IsNullOrEmpty(brandInfo)) return false; // Plugin channels were significantly changed between Minecraft 1.12 and 1.13 // https://wiki.vg/index.php?title=Pre-release_protocol&oldid=14132#Plugin_Channels if (protocolVersion >= MC_1_13_Version) { return await SendPluginChannelPacket("minecraft:brand", dataTypes.GetString(brandInfo)); } else { return await SendPluginChannelPacket("MC|Brand", dataTypes.GetString(brandInfo)); } } /// /// Inform the server of the client's Minecraft settings /// /// Client language eg en_US /// View distance, in chunks /// Game difficulty (client-side...) /// Chat mode (allows muting yourself) /// Show chat colors /// Show skin layers /// 1.9+ main hand /// True if client settings were successfully sent public async Task SendClientSettings(string language, byte viewDistance, byte difficulty, byte chatMode, bool chatColors, byte skinParts, byte mainHand) { try { List fields = new(); fields.AddRange(dataTypes.GetString(language)); fields.Add(viewDistance); if (protocolVersion >= MC_1_9_Version) fields.AddRange(dataTypes.GetVarInt(chatMode)); else fields.AddRange(new byte[] { chatMode }); fields.Add(chatColors ? (byte)1 : (byte)0); if (protocolVersion < MC_1_8_Version) { fields.Add(difficulty); fields.Add((byte)(skinParts & 0x1)); //show cape } else fields.Add(skinParts); if (protocolVersion >= MC_1_9_Version) fields.AddRange(dataTypes.GetVarInt(mainHand)); if (protocolVersion >= MC_1_17_Version) { if (protocolVersion >= MC_1_18_1_Version) fields.Add(0); // 1.18 and above - Enable text filtering. (Always false) else fields.Add(1); // 1.17 and 1.17.1 - Disable text filtering. (Always true) } if (protocolVersion >= MC_1_18_1_Version) fields.Add(1); // 1.18 and above - Allow server listings await SendPacket(PacketTypesOut.ClientSettings, fields); } catch (SocketException) { } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } return false; } /// /// Send a location update to the server /// /// The new location of the player /// True if the player is on the ground /// Optional new yaw for updating player look /// Optional new pitch for updating player look /// True if the location update was successfully sent public async Task SendLocationUpdate(Location location, bool onGround, float? yaw, float? pitch) { return await SendLocationUpdate(location, onGround, yaw, pitch, true); } public async Task SendLocationUpdate(Location location, bool onGround, float? yaw = null, float? pitch = null, bool forceUpdate = false) { if (handler.GetTerrainEnabled()) { byte[] yawpitch = Array.Empty(); PacketTypesOut packetType = PacketTypesOut.PlayerPosition; if (Config.Main.Advanced.TemporaryFixBadpacket) { if (yaw.HasValue && pitch.HasValue && (forceUpdate || yaw.Value != LastYaw || pitch.Value != LastPitch)) { yawpitch = dataTypes.ConcatBytes(dataTypes.GetFloat(yaw.Value), dataTypes.GetFloat(pitch.Value)); packetType = PacketTypesOut.PlayerPositionAndRotation; LastYaw = yaw.Value; LastPitch = pitch.Value; } } else { if (yaw.HasValue && pitch.HasValue) { yawpitch = dataTypes.ConcatBytes(dataTypes.GetFloat(yaw.Value), dataTypes.GetFloat(pitch.Value)); packetType = PacketTypesOut.PlayerPositionAndRotation; LastYaw = yaw.Value; LastPitch = pitch.Value; } } try { await SendPacket(packetType, dataTypes.ConcatBytes( dataTypes.GetDouble(location.X), dataTypes.GetDouble(location.Y), protocolVersion < MC_1_8_Version ? dataTypes.GetDouble(location.Y + 1.62) : Array.Empty(), dataTypes.GetDouble(location.Z), yawpitch, new byte[] { onGround ? (byte)1 : (byte)0 })); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } else return false; } /// /// Send a plugin channel packet (0x17) to the server, compression and encryption will be handled automatically /// /// Channel to send packet on /// packet Data public async Task SendPluginChannelPacket(string channel, byte[] data) { try { // In 1.7, length needs to be included. // In 1.8, it must not be. if (protocolVersion < MC_1_8_Version) { byte[] length = BitConverter.GetBytes((short)data.Length); Array.Reverse(length); await SendPacket(PacketTypesOut.PluginMessage, dataTypes.ConcatBytes(dataTypes.GetString(channel), length, data)); } else { await SendPacket(PacketTypesOut.PluginMessage, dataTypes.ConcatBytes(dataTypes.GetString(channel), data)); } return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } /// /// Send a Login Plugin Response packet (0x02) /// /// Login Plugin Request message Id /// TRUE if the request was understood /// Response to the request /// TRUE if successfully sent public async Task SendLoginPluginResponse(int messageId, bool understood, byte[] data) { try { await SendPacket(0x02, dataTypes.ConcatBytes(dataTypes.GetVarInt(messageId), dataTypes.GetBool(understood), data)); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } /// /// Send an Interact Entity Packet to server /// /// /// /// public async Task SendInteractEntity(int EntityID, int type) { try { List fields = new(); fields.AddRange(dataTypes.GetVarInt(EntityID)); fields.AddRange(dataTypes.GetVarInt(type)); // Is player Sneaking (Only 1.16 and above) // Currently hardcoded to false // TODO: Update to reflect the real player state if (protocolVersion >= MC_1_16_Version) fields.AddRange(dataTypes.GetBool(false)); await SendPacket(PacketTypesOut.InteractEntity, fields); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } // TODO: Interact at block location (e.g. chest minecart) public async Task SendInteractEntity(int EntityID, int type, float X, float Y, float Z, int hand) { try { List fields = new(); fields.AddRange(dataTypes.GetVarInt(EntityID)); fields.AddRange(dataTypes.GetVarInt(type)); fields.AddRange(dataTypes.GetFloat(X)); fields.AddRange(dataTypes.GetFloat(Y)); fields.AddRange(dataTypes.GetFloat(Z)); fields.AddRange(dataTypes.GetVarInt(hand)); // Is player Sneaking (Only 1.16 and above) // Currently hardcoded to false // TODO: Update to reflect the real player state if (protocolVersion >= MC_1_16_Version) fields.AddRange(dataTypes.GetBool(false)); await SendPacket(PacketTypesOut.InteractEntity, fields); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendInteractEntity(int EntityID, int type, int hand) { try { List fields = new(); fields.AddRange(dataTypes.GetVarInt(EntityID)); fields.AddRange(dataTypes.GetVarInt(type)); fields.AddRange(dataTypes.GetVarInt(hand)); // Is player Sneaking (Only 1.16 and above) // Currently hardcoded to false // TODO: Update to reflect the real player state if (protocolVersion >= MC_1_16_Version) fields.AddRange(dataTypes.GetBool(false)); await SendPacket(PacketTypesOut.InteractEntity, fields); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendInteractEntity(int EntityID, int type, float X, float Y, float Z) { return await Task.FromResult(false); } public async Task SendUseItem(int hand, int sequenceId) { if (protocolVersion < MC_1_9_Version) return false; // Packet does not exist prior to MC 1.9 // According to https://wiki.vg/index.php?title=Protocol&oldid=5486#Player_Block_Placement // MC 1.7 does this using Player Block Placement with special values // TODO once Player Block Placement is implemented for older versions try { List packet = new(); packet.AddRange(dataTypes.GetVarInt(hand)); if (protocolVersion >= MC_1_19_Version) packet.AddRange(dataTypes.GetVarInt(sequenceId)); await SendPacket(PacketTypesOut.UseItem, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendPlayerDigging(int status, Location location, Direction face, int sequenceId) { try { List packet = new(); packet.AddRange(dataTypes.GetVarInt(status)); packet.AddRange(dataTypes.GetLocation(location)); packet.AddRange(dataTypes.GetVarInt(dataTypes.GetBlockFace(face))); if (protocolVersion >= MC_1_19_Version) packet.AddRange(dataTypes.GetVarInt(sequenceId)); await SendPacket(PacketTypesOut.PlayerDigging, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendPlayerBlockPlacement(int hand, Location location, Direction face, int sequenceId) { if (protocolVersion < MC_1_14_Version) return false; // NOT IMPLEMENTED for older MC versions try { List packet = new(); packet.AddRange(dataTypes.GetVarInt(hand)); packet.AddRange(dataTypes.GetLocation(location)); packet.AddRange(dataTypes.GetVarInt(dataTypes.GetBlockFace(face))); packet.AddRange(dataTypes.GetFloat(0.5f)); // cursorX packet.AddRange(dataTypes.GetFloat(0.5f)); // cursorY packet.AddRange(dataTypes.GetFloat(0.5f)); // cursorZ packet.Add(0); // insideBlock = false; if (protocolVersion >= MC_1_19_Version) packet.AddRange(dataTypes.GetVarInt(sequenceId)); await SendPacket(PacketTypesOut.PlayerBlockPlacement, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendHeldItemChange(short slot) { try { List packet = new(); packet.AddRange(dataTypes.GetShort(slot)); await SendPacket(PacketTypesOut.HeldItemChange, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendWindowAction(int windowId, int slotId, WindowActionType action, Item? item, List> changedSlots, int stateId) { try { short actionNumber; lock (window_actions) { if (!window_actions.ContainsKey(windowId)) window_actions[windowId] = 0; actionNumber = (short)(window_actions[windowId] + 1); window_actions[windowId] = actionNumber; } byte button = 0; byte mode = 0; switch (action) { case WindowActionType.LeftClick: button = 0; break; case WindowActionType.RightClick: button = 1; break; case WindowActionType.MiddleClick: button = 2; mode = 3; break; case WindowActionType.ShiftClick: button = 0; mode = 1; item = new Item(ItemType.Null, 0, null); break; case WindowActionType.DropItem: button = 0; mode = 4; item = new Item(ItemType.Null, 0, null); break; case WindowActionType.DropItemStack: button = 1; mode = 4; item = new Item(ItemType.Null, 0, null); break; case WindowActionType.StartDragLeft: button = 0; mode = 5; item = new Item(ItemType.Null, 0, null); slotId = -999; break; case WindowActionType.StartDragRight: button = 4; mode = 5; item = new Item(ItemType.Null, 0, null); slotId = -999; break; case WindowActionType.StartDragMiddle: button = 8; mode = 5; item = new Item(ItemType.Null, 0, null); slotId = -999; break; case WindowActionType.EndDragLeft: button = 2; mode = 5; item = new Item(ItemType.Null, 0, null); slotId = -999; break; case WindowActionType.EndDragRight: button = 6; mode = 5; item = new Item(ItemType.Null, 0, null); slotId = -999; break; case WindowActionType.EndDragMiddle: button = 10; mode = 5; item = new Item(ItemType.Null, 0, null); slotId = -999; break; case WindowActionType.AddDragLeft: button = 1; mode = 5; item = new Item(ItemType.Null, 0, null); break; case WindowActionType.AddDragRight: button = 5; mode = 5; item = new Item(ItemType.Null, 0, null); break; case WindowActionType.AddDragMiddle: button = 9; mode = 5; item = new Item(ItemType.Null, 0, null); break; } List packet = new() { (byte)windowId // Window ID }; // 1.18+ if (protocolVersion >= MC_1_18_1_Version) { packet.AddRange(dataTypes.GetVarInt(stateId)); // State ID packet.AddRange(dataTypes.GetShort((short)slotId)); // Slot ID } // 1.17.1 else if (protocolVersion == MC_1_17_1_Version) { packet.AddRange(dataTypes.GetShort((short)slotId)); // Slot ID packet.AddRange(dataTypes.GetVarInt(stateId)); // State ID } // Older else { packet.AddRange(dataTypes.GetShort((short)slotId)); // Slot ID } packet.Add(button); // Button if (protocolVersion < MC_1_17_Version) packet.AddRange(dataTypes.GetShort(actionNumber)); if (protocolVersion >= MC_1_9_Version) packet.AddRange(dataTypes.GetVarInt(mode)); // Mode else packet.Add(mode); // 1.17+ Array of changed slots if (protocolVersion >= MC_1_17_Version) { packet.AddRange(dataTypes.GetVarInt(changedSlots.Count)); // Length of the array foreach (var slot in changedSlots) { packet.AddRange(dataTypes.GetShort(slot.Item1)); // slot ID packet.AddRange(dataTypes.GetItemSlot(slot.Item2, itemPalette)); // slot Data } } packet.AddRange(dataTypes.GetItemSlot(item, itemPalette)); // Carried item (Clicked item) await SendPacket(PacketTypesOut.ClickWindow, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendCreativeInventoryAction(int slot, ItemType itemType, int count, Dictionary? nbt) { try { List packet = new(); packet.AddRange(dataTypes.GetShort((short)slot)); packet.AddRange(dataTypes.GetItemSlot(new Item(itemType, count, nbt), itemPalette)); await SendPacket(PacketTypesOut.CreativeInventoryAction, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task ClickContainerButton(int windowId, int buttonId) { try { List packet = new() { (byte)windowId, (byte)buttonId }; await SendPacket(PacketTypesOut.ClickWindowButton, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendAnimation(int animation, int playerid) { try { if (animation == 0 || animation == 1) { List packet = new(); if (protocolVersion < MC_1_8_Version) { packet.AddRange(dataTypes.GetInt(playerid)); packet.Add(1); // Swing arm } else if (protocolVersion < MC_1_9_Version) { // No fields in 1.8.X } else // MC 1.9+ { packet.AddRange(dataTypes.GetVarInt(animation)); } await SendPacket(PacketTypesOut.Animation, packet); return true; } else { return false; } } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendCloseWindow(int windowId) { try { lock (window_actions) { if (window_actions.ContainsKey(windowId)) window_actions[windowId] = 0; } await SendPacket(PacketTypesOut.CloseWindow, new[] { (byte)windowId }); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SendUpdateSign(Location sign, string line1, string line2, string line3, string line4) { try { if (line1.Length > 23) line1 = line1[..23]; if (line2.Length > 23) line2 = line1[..23]; if (line3.Length > 23) line3 = line1[..23]; if (line4.Length > 23) line4 = line1[..23]; List packet = new(); packet.AddRange(dataTypes.GetLocation(sign)); packet.AddRange(dataTypes.GetString(line1)); packet.AddRange(dataTypes.GetString(line2)); packet.AddRange(dataTypes.GetString(line3)); packet.AddRange(dataTypes.GetString(line4)); await SendPacket(PacketTypesOut.UpdateSign, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task UpdateCommandBlock(Location location, string command, CommandBlockMode mode, CommandBlockFlags flags) { if (protocolVersion <= MC_1_13_Version) { try { List packet = new(); packet.AddRange(dataTypes.GetLocation(location)); packet.AddRange(dataTypes.GetString(command)); packet.AddRange(dataTypes.GetVarInt((int)mode)); packet.Add((byte)flags); await SendPacket(PacketTypesOut.UpdateSign, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } else { return false; } } public async Task SendWindowConfirmation(byte windowID, short actionID, bool accepted) { try { List packet = new() { windowID }; packet.AddRange(dataTypes.GetShort(actionID)); packet.Add(accepted ? (byte)1 : (byte)0); await SendPacket(PacketTypesOut.WindowConfirmation, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } public async Task SelectTrade(int selectedSlot) { // MC 1.13 or greater if (protocolVersion >= MC_1_13_Version) { try { List packet = new(); packet.AddRange(dataTypes.GetVarInt(selectedSlot)); await SendPacket(PacketTypesOut.SelectTrade, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } else { return false; } } public async Task SendSpectate(Guid UUID) { // MC 1.8 or greater if (protocolVersion >= MC_1_8_Version) { try { List packet = new(); packet.AddRange(dataTypes.GetUUID(UUID)); await SendPacket(PacketTypesOut.Spectate, packet); return true; } catch (SocketException) { return false; } catch (IOException) { return false; } catch (ObjectDisposedException) { return false; } } else { return false; } } private byte[] GenerateSalt() { byte[] salt = new byte[8]; randomGen.GetNonZeroBytes(salt); return salt; } [GeneratedRegex("\\s+")] private static partial Regex GetCharFilterRegex1(); [GeneratedRegex("\\s$")] private static partial Regex GetCharFilterRegex2(); } }