141 private const INCOMING_PACKET_BATCH_PER_TICK = 2;
142 private const INCOMING_PACKET_BATCH_BUFFER_TICKS = 100;
144 private const INCOMING_GAME_PACKETS_PER_TICK = 2;
145 private const INCOMING_GAME_PACKETS_BUFFER_TICKS = 100;
150 private \PrefixedLogger $logger;
151 private ?
Player $player =
null;
153 private ?
int $ping =
null;
157 private bool $connected =
true;
158 private bool $disconnectGuard =
false;
159 private bool $loggedIn =
false;
160 private bool $authenticated =
false;
161 private int $connectTime;
162 private ?
CompoundTag $cachedOfflinePlayerData =
null;
170 private array $sendBuffer = [];
175 private array $sendBufferAckPromises = [];
178 private \SplQueue $compressedQueue;
179 private bool $forceAsyncCompression =
true;
180 private bool $enableCompression =
false;
182 private int $nextAckReceiptId = 0;
187 private array $ackPromisesByReceiptId = [];
197 public function __construct(
209 $this->logger = new \PrefixedLogger($this->
server->getLogger(), $this->getLogPrefix());
211 $this->compressedQueue = new \SplQueue();
215 $this->connectTime = time();
216 $this->packetBatchLimiter =
new PacketRateLimiter(
"Packet Batches", self::INCOMING_PACKET_BATCH_PER_TICK, self::INCOMING_PACKET_BATCH_BUFFER_TICKS);
217 $this->gamePacketLimiter =
new PacketRateLimiter(
"Game Packets", self::INCOMING_GAME_PACKETS_PER_TICK, self::INCOMING_GAME_PACKETS_BUFFER_TICKS);
221 $this->onSessionStartSuccess(...)
224 $this->manager->add($this);
225 $this->logger->info($this->
server->getLanguage()->translate(KnownTranslationFactory::pocketmine_network_session_open()));
228 private function getLogPrefix() :
string{
229 return "NetworkSession: " . $this->getDisplayName();
232 public function getLogger() : \
Logger{
233 return $this->logger;
236 private function onSessionStartSuccess() :
void{
237 $this->logger->debug(
"Session start handshake completed, awaiting login packet");
238 $this->flushSendBuffer(
true);
239 $this->enableCompression =
true;
245 $this->logger->info($this->
server->getLanguage()->translate(KnownTranslationFactory::pocketmine_network_session_playerName(TextFormat::AQUA . $info->getUsername() . TextFormat::RESET)));
246 $this->logger->setPrefix($this->getLogPrefix());
247 $this->manager->markLoginReceived($this);
249 $this->setAuthenticationStatus(...)
253 protected function createPlayer() :
void{
254 $this->
server->createPlayer($this, $this->info, $this->authenticated, $this->cachedOfflinePlayerData)->onCompletion(
255 $this->onPlayerCreated(...),
258 $this->disconnectWithError(
259 reason:
"Failed to create player",
260 disconnectScreenMessage: KnownTranslationFactory::pocketmine_disconnect_error_internal()
266 private function onPlayerCreated(
Player $player) :
void{
267 if(!$this->isConnected()){
271 $this->player = $player;
272 if(!$this->
server->addOnlinePlayer($player)){
278 $effectManager = $this->player->getEffects();
279 $effectManager->getEffectAddHooks()->add($effectAddHook =
function(
EffectInstance $effect,
bool $replacesOldEffect) :
void{
280 $this->entityEventBroadcaster->onEntityEffectAdded([$this], $this->player, $effect, $replacesOldEffect);
282 $effectManager->getEffectRemoveHooks()->add($effectRemoveHook =
function(
EffectInstance $effect) :
void{
283 $this->entityEventBroadcaster->onEntityEffectRemoved([$this], $this->player, $effect);
285 $this->disposeHooks->add(
static function() use ($effectManager, $effectAddHook, $effectRemoveHook) :
void{
286 $effectManager->getEffectAddHooks()->remove($effectAddHook);
287 $effectManager->getEffectRemoveHooks()->remove($effectRemoveHook);
290 $permissionHooks = $this->player->getPermissionRecalculationCallbacks();
291 $permissionHooks->add($permHook =
function() :
void{
292 $this->logger->debug(
"Syncing available commands and abilities/permissions due to permission recalculation");
293 $this->syncAbilities($this->player);
294 $this->syncAvailableCommands();
296 $this->disposeHooks->add(
static function() use ($permissionHooks, $permHook) :
void{
297 $permissionHooks->remove($permHook);
299 $this->beginSpawnSequence();
302 public function getPlayer() : ?
Player{
303 return $this->player;
306 public function getPlayerInfo() : ?
PlayerInfo{
310 public function isConnected() :
bool{
311 return $this->connected && !$this->disconnectGuard;
314 public function getIp() :
string{
318 public function getPort() :
int{
322 public function getDisplayName() :
string{
323 return $this->info !==
null ? $this->info->getUsername() : $this->ip .
" " . $this->port;
336 public function updatePing(
int $ping) : void{
340 public function getHandler() : ?PacketHandler{
341 return $this->handler;
344 public function setHandler(?PacketHandler $handler) : void{
345 if($this->connected){
346 $this->handler = $handler;
347 if($this->handler !==
null){
348 $this->handler->setUp();
357 if(!$this->connected){
361 Timings::$playerNetworkReceive->startTiming();
363 $this->packetBatchLimiter->decrement();
365 if($this->cipher !==
null){
366 Timings::$playerNetworkReceiveDecrypt->startTiming();
368 $payload = $this->cipher->decrypt($payload);
369 }
catch(DecryptionException $e){
370 $this->logger->debug(
"Encrypted packet: " . base64_encode($payload));
371 throw PacketHandlingException::wrap($e,
"Packet decryption error");
373 Timings::$playerNetworkReceiveDecrypt->stopTiming();
377 if(strlen($payload) < 1){
378 throw new PacketHandlingException(
"No bytes in payload");
381 if($this->enableCompression){
382 $compressionType = ord($payload[0]);
383 $compressed = substr($payload, 1);
384 if($compressionType === CompressionAlgorithm::NONE){
385 $decompressed = $compressed;
386 }elseif($compressionType === $this->compressor->getNetworkId()){
387 Timings::$playerNetworkReceiveDecompress->startTiming();
389 $decompressed = $this->compressor->decompress($compressed);
390 }
catch(DecompressionException $e){
391 $this->logger->debug(
"Failed to decompress packet: " . base64_encode($compressed));
392 throw PacketHandlingException::wrap($e,
"Compressed packet batch decode error");
394 Timings::$playerNetworkReceiveDecompress->stopTiming();
397 throw new PacketHandlingException(
"Packet compressed with unexpected compression type $compressionType");
400 $decompressed = $payload;
404 $stream =
new BinaryStream($decompressed);
405 foreach(PacketBatch::decodeRaw($stream) as $buffer){
406 $this->gamePacketLimiter->decrement();
407 $packet = $this->packetPool->getPacket($buffer);
408 if($packet ===
null){
409 $this->logger->debug(
"Unknown packet: " . base64_encode($buffer));
410 throw new PacketHandlingException(
"Unknown packet received");
413 $this->handleDataPacket($packet, $buffer);
414 }
catch(PacketHandlingException $e){
415 $this->logger->debug($packet->getName() .
": " . base64_encode($buffer));
416 throw PacketHandlingException::wrap($e,
"Error processing " . $packet->getName());
419 }
catch(PacketDecodeException|BinaryDataException $e){
420 $this->logger->logException($e);
421 throw PacketHandlingException::wrap($e,
"Packet batch decode error");
424 Timings::$playerNetworkReceive->stopTiming();
436 $timings = Timings::getReceiveDataPacketTimings($packet);
437 $timings->startTiming();
440 if(DataPacketDecodeEvent::hasHandlers()){
443 if($ev->isCancelled()){
448 $decodeTimings = Timings::getDecodeDataPacketTimings($packet);
449 $decodeTimings->startTiming();
451 $stream = PacketSerializer::decoder($buffer, 0);
453 $packet->decode($stream);
454 }
catch(PacketDecodeException $e){
455 throw PacketHandlingException::wrap($e);
457 if(!$stream->feof()){
458 $remains = substr($stream->getBuffer(), $stream->getOffset());
459 $this->logger->debug(
"Still " . strlen($remains) .
" bytes unread in " . $packet->getName() .
": " . bin2hex($remains));
462 $decodeTimings->stopTiming();
465 if(DataPacketReceiveEvent::hasHandlers()){
466 $ev =
new DataPacketReceiveEvent($this, $packet);
468 if($ev->isCancelled()){
472 $handlerTimings = Timings::getHandleDataPacketTimings($packet);
473 $handlerTimings->startTiming();
475 if($this->handler ===
null || !$packet->handle($this->handler)){
476 $this->logger->debug(
"Unhandled " . $packet->getName() .
": " . base64_encode($stream->getBuffer()));
479 $handlerTimings->stopTiming();
482 $timings->stopTiming();
486 public function handleAckReceipt(
int $receiptId) : void{
487 if(!$this->connected){
490 if(isset($this->ackPromisesByReceiptId[$receiptId])){
491 $promises = $this->ackPromisesByReceiptId[$receiptId];
492 unset($this->ackPromisesByReceiptId[$receiptId]);
493 foreach($promises as $promise){
494 $promise->resolve(
true);
502 private function sendDataPacketInternal(ClientboundPacket $packet,
bool $immediate, ?PromiseResolver $ackReceiptResolver) : bool{
503 if(!$this->connected){
507 if(!$this->loggedIn && !$packet->canBeSentBeforeLogin()){
508 throw new \InvalidArgumentException(
"Attempted to send " . get_class($packet) .
" to " . $this->getDisplayName() .
" too early");
511 $timings = Timings::getSendDataPacketTimings($packet);
512 $timings->startTiming();
514 if(DataPacketSendEvent::hasHandlers()){
515 $ev = new DataPacketSendEvent([$this], [$packet]);
517 if($ev->isCancelled()){
520 $packets = $ev->getPackets();
522 $packets = [$packet];
525 if($ackReceiptResolver !==
null){
526 $this->sendBufferAckPromises[] = $ackReceiptResolver;
528 foreach($packets as $evPacket){
529 $this->addToSendBuffer(self::encodePacketTimed(PacketSerializer::encoder(), $evPacket));
532 $this->flushSendBuffer(true);
537 $timings->stopTiming();
541 public function sendDataPacket(ClientboundPacket $packet,
bool $immediate =
false) : bool{
542 return $this->sendDataPacketInternal($packet, $immediate, null);
552 if(!$this->sendDataPacketInternal($packet, $immediate, $resolver)){
562 public static function encodePacketTimed(PacketSerializer $serializer, ClientboundPacket $packet) : string{
563 $timings =
Timings::getEncodeDataPacketTimings($packet);
564 $timings->startTiming();
566 $packet->encode($serializer);
567 return $serializer->getBuffer();
569 $timings->stopTiming();
576 public function addToSendBuffer(
string $buffer) : void{
577 $this->sendBuffer[] = $buffer;
580 private function flushSendBuffer(
bool $immediate =
false) : void{
581 if(count($this->sendBuffer) > 0){
582 Timings::$playerNetworkSend->startTiming();
587 }elseif($this->forceAsyncCompression){
591 $stream =
new BinaryStream();
592 PacketBatch::encodeRaw($stream, $this->sendBuffer);
594 if($this->enableCompression){
595 $batch = $this->
server->prepareBatch($stream->getBuffer(), $this->compressor, $syncMode, Timings::$playerNetworkSendCompressSessionBuffer);
597 $batch = $stream->getBuffer();
599 $this->sendBuffer = [];
600 $ackPromises = $this->sendBufferAckPromises;
601 $this->sendBufferAckPromises = [];
602 $this->queueCompressedNoBufferFlush($batch, $immediate, $ackPromises);
604 Timings::$playerNetworkSend->stopTiming();
609 public function getBroadcaster() : PacketBroadcaster{ return $this->broadcaster; }
611 public function getEntityEventBroadcaster() : EntityEventBroadcaster{ return $this->entityEventBroadcaster; }
613 public function getCompressor() : Compressor{
614 return $this->compressor;
617 public function getTypeConverter() : TypeConverter{ return $this->typeConverter; }
619 public function queueCompressed(CompressBatchPromise|
string $payload,
bool $immediate =
false) : void{
620 Timings::$playerNetworkSend->startTiming();
622 $this->flushSendBuffer($immediate);
623 $this->queueCompressedNoBufferFlush($payload, $immediate);
625 Timings::$playerNetworkSend->stopTiming();
634 private function queueCompressedNoBufferFlush(CompressBatchPromise|
string $batch,
bool $immediate =
false, array $ackPromises = []) : void{
635 Timings::$playerNetworkSend->startTiming();
637 if(is_string($batch)){
640 $this->sendEncoded($batch,
true, $ackPromises);
642 $this->compressedQueue->enqueue([$batch, $ackPromises]);
643 $this->flushCompressedQueue();
647 $this->sendEncoded($batch->getResult(),
true, $ackPromises);
649 $this->compressedQueue->enqueue([$batch, $ackPromises]);
650 $batch->onResolve(
function() :
void{
651 if($this->connected){
652 $this->flushCompressedQueue();
657 Timings::$playerNetworkSend->stopTiming();
661 private function flushCompressedQueue() : void{
662 Timings::$playerNetworkSend->startTiming();
664 while(!$this->compressedQueue->isEmpty()){
666 [$current, $ackPromises] = $this->compressedQueue->bottom();
667 if(is_string($current)){
668 $this->compressedQueue->dequeue();
669 $this->sendEncoded($current,
false, $ackPromises);
671 }elseif($current->hasResult()){
672 $this->compressedQueue->dequeue();
673 $this->sendEncoded($current->getResult(),
false, $ackPromises);
681 Timings::$playerNetworkSend->stopTiming();
689 private function sendEncoded(
string $payload,
bool $immediate, array $ackPromises) : void{
690 if($this->cipher !== null){
691 Timings::$playerNetworkSendEncrypt->startTiming();
692 $payload = $this->cipher->encrypt($payload);
693 Timings::$playerNetworkSendEncrypt->stopTiming();
696 if(count($ackPromises) > 0){
697 $ackReceiptId = $this->nextAckReceiptId++;
698 $this->ackPromisesByReceiptId[$ackReceiptId] = $ackPromises;
700 $ackReceiptId =
null;
702 $this->sender->send($payload, $immediate, $ackReceiptId);
708 private function tryDisconnect(\Closure $func, Translatable|
string $reason) : void{
709 if($this->connected && !$this->disconnectGuard){
710 $this->disconnectGuard =
true;
712 $this->disconnectGuard =
false;
713 $this->flushSendBuffer(
true);
714 $this->sender->close(
"");
715 foreach($this->disposeHooks as $callback){
718 $this->disposeHooks->clear();
719 $this->setHandler(
null);
720 $this->connected =
false;
722 $ackPromisesByReceiptId = $this->ackPromisesByReceiptId;
723 $this->ackPromisesByReceiptId = [];
724 foreach($ackPromisesByReceiptId as $resolvers){
725 foreach($resolvers as $resolver){
729 $sendBufferAckPromises = $this->sendBufferAckPromises;
730 $this->sendBufferAckPromises = [];
731 foreach($sendBufferAckPromises as $resolver){
735 $this->logger->info($this->
server->getLanguage()->translate(KnownTranslationFactory::pocketmine_network_session_close($reason)));
743 private function dispose() : void{
744 $this->invManager = null;
747 private function sendDisconnectPacket(Translatable|
string $message) : void{
748 if($message instanceof Translatable){
749 $translated = $this->
server->getLanguage()->translate($message);
751 $translated = $message;
753 $this->sendDataPacket(DisconnectPacket::create(0, $translated,
""));
763 $this->tryDisconnect(function() use ($reason, $disconnectScreenMessage, $notify) : void{
765 $this->sendDisconnectPacket($disconnectScreenMessage ?? $reason);
767 if($this->player !==
null){
768 $this->player->onPostDisconnect($reason,
null);
773 public function disconnectWithError(Translatable|
string $reason, Translatable|
string|
null $disconnectScreenMessage =
null) : void{
774 $errorId = implode(
"-", str_split(bin2hex(random_bytes(6)), 4));
777 reason: KnownTranslationFactory::pocketmine_disconnect_error($reason, $errorId)->prefix(TextFormat::RED),
778 disconnectScreenMessage: KnownTranslationFactory::pocketmine_disconnect_error($disconnectScreenMessage ?? $reason, $errorId),
782 public function disconnectIncompatibleProtocol(
int $protocolVersion) : void{
783 $this->tryDisconnect(
784 function() use ($protocolVersion) : void{
785 $this->sendDataPacket(PlayStatusPacket::create($protocolVersion < ProtocolInfo::CURRENT_PROTOCOL ? PlayStatusPacket::LOGIN_FAILED_CLIENT : PlayStatusPacket::LOGIN_FAILED_SERVER), true);
787 KnownTranslationFactory::pocketmine_disconnect_incompatibleProtocol((
string) $protocolVersion)
796 $this->tryDisconnect(
function() use ($ip, $port, $reason) :
void{
797 $this->sendDataPacket(TransferPacket::create($ip, $port,
false),
true);
798 if($this->player !==
null){
799 $this->player->onPostDisconnect($reason,
null);
808 $this->tryDisconnect(function() use ($disconnectScreenMessage) : void{
809 $this->sendDisconnectPacket($disconnectScreenMessage);
818 $this->tryDisconnect(function() use ($reason) : void{
819 if($this->player !== null){
820 $this->player->onPostDisconnect($reason,
null);
825 private function setAuthenticationStatus(
bool $authenticated,
bool $authRequired,
Translatable|
string|
null $error, ?
string $clientPubKey) : void{
826 if(!$this->connected){
830 if($authenticated && !($this->info instanceof XboxLivePlayerInfo)){
831 $error =
"Expected XUID but none found";
832 }elseif($clientPubKey ===
null){
833 $error =
"Missing client public key";
838 $this->disconnectWithError(
839 reason: KnownTranslationFactory::pocketmine_disconnect_invalidSession($error),
840 disconnectScreenMessage: KnownTranslationFactory::pocketmine_disconnect_error_authentication()
846 $this->authenticated = $authenticated;
848 if(!$this->authenticated){
850 $this->disconnect(
"Not authenticated", KnownTranslationFactory::disconnectionScreen_notAuthenticated());
853 if($this->info instanceof XboxLivePlayerInfo){
854 $this->logger->warning(
"Discarding unexpected XUID for non-authenticated player");
855 $this->info = $this->info->withoutXboxData();
858 $this->logger->debug(
"Xbox Live authenticated: " . ($this->authenticated ?
"YES" :
"NO"));
860 $checkXUID = $this->
server->getConfigGroup()->getPropertyBool(YmlServerProperties::PLAYER_VERIFY_XUID,
true);
861 $myXUID = $this->info instanceof XboxLivePlayerInfo ? $this->info->getXuid() :
"";
862 $kickForXUIDMismatch =
function(
string $xuid) use ($checkXUID, $myXUID) : bool{
863 if($checkXUID && $myXUID !== $xuid){
864 $this->logger->debug(
"XUID mismatch: expected '$xuid', but got '$myXUID'");
869 $this->disconnect(
"XUID does not match (possible impersonation attempt)");
875 foreach($this->manager->getSessions() as $existingSession){
876 if($existingSession === $this){
879 $info = $existingSession->getPlayerInfo();
880 if($info !==
null && (strcasecmp($info->getUsername(), $this->info->getUsername()) === 0 || $info->getUuid()->equals($this->info->getUuid()))){
881 if($kickForXUIDMismatch($info instanceof XboxLivePlayerInfo ? $info->getXuid() :
"")){
884 $ev =
new PlayerDuplicateLoginEvent($this, $existingSession, KnownTranslationFactory::disconnectionScreen_loggedinOtherLocation(),
null);
886 if($ev->isCancelled()){
887 $this->disconnect($ev->getDisconnectReason(), $ev->getDisconnectScreenMessage());
891 $existingSession->disconnect($ev->getDisconnectReason(), $ev->getDisconnectScreenMessage());
897 $this->cachedOfflinePlayerData = $this->
server->getOfflinePlayerData($this->info->getUsername());
899 $recordedXUID = $this->cachedOfflinePlayerData !==
null ? $this->cachedOfflinePlayerData->getTag(Player::TAG_LAST_KNOWN_XUID) :
null;
900 if(!($recordedXUID instanceof StringTag)){
901 $this->logger->debug(
"No previous XUID recorded, no choice but to trust this player");
902 }elseif(!$kickForXUIDMismatch($recordedXUID->getValue())){
903 $this->logger->debug(
"XUID match");
907 if(EncryptionContext::$ENABLED){
908 $this->
server->getAsyncPool()->submitTask(
new PrepareEncryptionTask($clientPubKey,
function(
string $encryptionKey,
string $handshakeJwt) :
void{
909 if(!$this->connected){
912 $this->sendDataPacket(ServerToClientHandshakePacket::create($handshakeJwt),
true);
914 $this->cipher = EncryptionContext::fakeGCM($encryptionKey);
916 $this->setHandler(
new HandshakePacketHandler($this->onServerLoginSuccess(...)));
917 $this->logger->debug(
"Enabled encryption");
920 $this->onServerLoginSuccess();
924 private function onServerLoginSuccess() : void{
925 $this->loggedIn = true;
927 $this->sendDataPacket(PlayStatusPacket::create(PlayStatusPacket::LOGIN_SUCCESS));
929 $this->logger->debug(
"Initiating resource packs phase");
931 $packManager = $this->
server->getResourcePackManager();
932 $resourcePacks = $packManager->getResourceStack();
934 foreach($resourcePacks as $resourcePack){
935 $key = $packManager->getPackEncryptionKey($resourcePack->getPackId());
937 $keys[$resourcePack->getPackId()] = $key;
940 $event =
new PlayerResourcePackOfferEvent($this->info, $resourcePacks, $keys, $packManager->resourcePacksRequired());
942 $this->setHandler(
new ResourcePacksPacketHandler($this, $event->getResourcePacks(), $event->getEncryptionKeys(), $event->mustAccept(),
function() :
void{
943 $this->createPlayer();
947 private function beginSpawnSequence() : void{
948 $this->setHandler(new PreSpawnPacketHandler($this->
server, $this->player, $this, $this->invManager));
949 $this->player->setNoClientPredictions();
951 $this->logger->debug(
"Waiting for chunk radius request");
954 public function notifyTerrainReady() : void{
955 $this->logger->debug(
"Sending spawn notification, waiting for spawn response");
956 $this->sendDataPacket(PlayStatusPacket::create(PlayStatusPacket::PLAYER_SPAWN));
957 $this->setHandler(
new SpawnResponsePacketHandler($this->onClientSpawnResponse(...)));
960 private function onClientSpawnResponse() : void{
961 $this->logger->debug(
"Received spawn response, entering in-game phase");
962 $this->player->setNoClientPredictions(
false);
963 $this->player->doFirstSpawn();
964 $this->forceAsyncCompression =
false;
965 $this->setHandler(
new InGamePacketHandler($this->player, $this, $this->invManager));
968 public function onServerDeath(Translatable|
string $deathMessage) : void{
969 if($this->handler instanceof InGamePacketHandler){
970 $this->setHandler(
new DeathPacketHandler($this->player, $this, $this->invManager ??
throw new AssumptionFailedError(), $deathMessage));
974 public function onServerRespawn() : void{
975 $this->entityEventBroadcaster->syncAttributes([$this], $this->player, $this->player->getAttributeMap()->getAll());
976 $this->player->sendData(
null);
978 $this->syncAbilities($this->player);
979 $this->invManager->syncAll();
980 $this->setHandler(
new InGamePacketHandler($this->player, $this, $this->invManager));
983 public function syncMovement(Vector3 $pos, ?
float $yaw =
null, ?
float $pitch =
null,
int $mode = MovePlayerPacket::MODE_NORMAL) : void{
984 if($this->player !== null){
985 $location = $this->player->getLocation();
986 $yaw = $yaw ?? $location->getYaw();
987 $pitch = $pitch ?? $location->getPitch();
989 $this->sendDataPacket(MovePlayerPacket::simple(
990 $this->player->getId(),
991 $this->player->getOffsetPosition($pos),
996 $this->player->onGround,
1001 if($this->handler instanceof InGamePacketHandler){
1002 $this->handler->forceMoveSync =
true;
1007 public function syncViewAreaRadius(
int $distance) : void{
1008 $this->sendDataPacket(ChunkRadiusUpdatedPacket::create($distance));
1011 public function syncViewAreaCenterPoint(Vector3 $newPos,
int $viewDistance) : void{
1012 $this->sendDataPacket(NetworkChunkPublisherUpdatePacket::create(BlockPosition::fromVector3($newPos), $viewDistance * 16, []));
1015 public function syncPlayerSpawnPoint(Position $newSpawn) : void{
1016 $newSpawnBlockPosition = BlockPosition::fromVector3($newSpawn);
1018 $this->sendDataPacket(SetSpawnPositionPacket::playerSpawn($newSpawnBlockPosition, DimensionIds::OVERWORLD, $newSpawnBlockPosition));
1021 public function syncWorldSpawnPoint(Position $newSpawn) : void{
1022 $this->sendDataPacket(SetSpawnPositionPacket::worldSpawn(BlockPosition::fromVector3($newSpawn), DimensionIds::OVERWORLD));
1025 public function syncGameMode(GameMode $mode,
bool $isRollback =
false) : void{
1026 $this->sendDataPacket(SetPlayerGameTypePacket::create($this->typeConverter->coreGameModeToProtocol($mode)));
1027 if($this->player !==
null){
1028 $this->syncAbilities($this->player);
1029 $this->syncAdventureSettings();
1031 if(!$isRollback && $this->invManager !==
null){
1032 $this->invManager->syncCreative();
1036 public function syncAbilities(Player $for) : void{
1037 $isOp = $for->hasPermission(DefaultPermissions::ROOT_OPERATOR);
1041 AbilitiesLayer::ABILITY_ALLOW_FLIGHT => $for->getAllowFlight(),
1042 AbilitiesLayer::ABILITY_FLYING => $for->isFlying(),
1043 AbilitiesLayer::ABILITY_NO_CLIP => !$for->hasBlockCollision(),
1044 AbilitiesLayer::ABILITY_OPERATOR => $isOp,
1045 AbilitiesLayer::ABILITY_TELEPORT => $for->hasPermission(DefaultPermissionNames::COMMAND_TELEPORT_SELF),
1046 AbilitiesLayer::ABILITY_INVULNERABLE => $for->isCreative(),
1047 AbilitiesLayer::ABILITY_MUTED =>
false,
1048 AbilitiesLayer::ABILITY_WORLD_BUILDER =>
false,
1049 AbilitiesLayer::ABILITY_INFINITE_RESOURCES => !$for->hasFiniteResources(),
1050 AbilitiesLayer::ABILITY_LIGHTNING =>
false,
1051 AbilitiesLayer::ABILITY_BUILD => !$for->isSpectator(),
1052 AbilitiesLayer::ABILITY_MINE => !$for->isSpectator(),
1053 AbilitiesLayer::ABILITY_DOORS_AND_SWITCHES => !$for->isSpectator(),
1054 AbilitiesLayer::ABILITY_OPEN_CONTAINERS => !$for->isSpectator(),
1055 AbilitiesLayer::ABILITY_ATTACK_PLAYERS => !$for->isSpectator(),
1056 AbilitiesLayer::ABILITY_ATTACK_MOBS => !$for->isSpectator(),
1057 AbilitiesLayer::ABILITY_PRIVILEGED_BUILDER =>
false,
1061 new AbilitiesLayer(AbilitiesLayer::LAYER_BASE, $boolAbilities, $for->getFlightSpeedMultiplier(), 0.1),
1063 if(!$for->hasBlockCollision()){
1069 $layers[] = new AbilitiesLayer(AbilitiesLayer::LAYER_SPECTATOR, [
1070 AbilitiesLayer::ABILITY_FLYING => true,
1074 $this->sendDataPacket(UpdateAbilitiesPacket::create(
new AbilitiesData(
1075 $isOp ? CommandPermissions::OPERATOR : CommandPermissions::NORMAL,
1076 $isOp ? PlayerPermissions::OPERATOR : PlayerPermissions::MEMBER,
1082 public function syncAdventureSettings() : void{
1083 if($this->player === null){
1084 throw new \LogicException(
"Cannot sync adventure settings for a player that is not yet created");
1087 $this->sendDataPacket(UpdateAdventureSettingsPacket::create(
1088 noAttackingMobs:
false,
1089 noAttackingPlayers:
false,
1090 worldImmutable:
false,
1092 autoJump: $this->player->hasAutoJump()
1096 public function syncAvailableCommands() : void{
1098 foreach($this->
server->getCommandMap()->getCommands() as $command){
1099 if(isset($commandData[$command->getLabel()]) || $command->getLabel() ===
"help" || !$command->testPermissionSilent($this->player)){
1103 $lname = strtolower($command->getLabel());
1104 $aliases = $command->getAliases();
1106 if(count($aliases) > 0){
1107 if(!in_array($lname, $aliases,
true)){
1109 $aliases[] = $lname;
1111 $aliasObj =
new CommandEnum(ucfirst($command->getLabel()) .
"Aliases", $aliases);
1114 $description = $command->getDescription();
1115 $data =
new CommandData(
1117 $description instanceof Translatable ? $this->player->getLanguage()->translate($description) : $description,
1122 new CommandOverload(chaining:
false, parameters: [CommandParameter::standard(
"args", AvailableCommandsPacket::ARG_TYPE_RAWTEXT, 0,
true)])
1124 chainedSubCommandData: []
1127 $commandData[$command->getLabel()] = $data;
1130 $this->sendDataPacket(AvailableCommandsPacket::create($commandData, [], [], []));
1139 $language = $this->player->getLanguage();
1141 return [$language->translateString($message->getText(), $parameters,
"pocketmine."), $parameters];
1144 public function onChatMessage(
Translatable|
string $message) : void{
1146 if(!$this->
server->isLanguageForced()){
1147 $this->sendDataPacket(TextPacket::translation(...$this->prepareClientTranslatableMessage($message)));
1149 $this->sendDataPacket(TextPacket::raw($this->player->getLanguage()->translate($message)));
1152 $this->sendDataPacket(TextPacket::raw($message));
1156 public function onJukeboxPopup(Translatable|
string $message) : void{
1158 if($message instanceof Translatable){
1159 if(!$this->server->isLanguageForced()){
1160 [$message, $parameters] = $this->prepareClientTranslatableMessage($message);
1162 $message = $this->player->getLanguage()->translate($message);
1165 $this->sendDataPacket(TextPacket::jukeboxPopup($message, $parameters));
1168 public function onPopup(
string $message) : void{
1169 $this->sendDataPacket(TextPacket::popup($message));
1172 public function onTip(
string $message) : void{
1173 $this->sendDataPacket(TextPacket::tip($message));
1176 public function onFormSent(
int $id, Form $form) : bool{
1177 return $this->sendDataPacket(ModalFormRequestPacket::create($id, json_encode($form, JSON_THROW_ON_ERROR)));
1180 public function onCloseAllForms() : void{
1181 $this->sendDataPacket(ClientboundCloseFormPacket::create());
1187 private function sendChunkPacket(
string $chunkPacket, \Closure $onCompletion, World $world) : void{
1188 $world->timings->syncChunkSend->startTiming();
1190 $this->queueCompressed($chunkPacket);
1193 $world->timings->syncChunkSend->stopTiming();
1203 $world = $this->player->getLocation()->getWorld();
1204 $promiseOrPacket = ChunkCache::getInstance($world, $this->compressor)->request($chunkX, $chunkZ);
1205 if(is_string($promiseOrPacket)){
1206 $this->sendChunkPacket($promiseOrPacket, $onCompletion, $world);
1209 $promiseOrPacket->onResolve(
1212 if(!$this->isConnected()){
1215 $currentWorld = $this->player->getLocation()->getWorld();
1216 if($world !== $currentWorld || ($status = $this->player->getUsedChunkStatus($chunkX, $chunkZ)) ===
null){
1217 $this->logger->debug(
"Tried to send no-longer-active chunk $chunkX $chunkZ in world " . $world->getFolderName());
1220 if($status !== UsedChunkStatus::REQUESTED_SENDING){
1227 $this->sendChunkPacket($promise->getResult(), $onCompletion, $world);
1232 public function stopUsingChunk(
int $chunkX,
int $chunkZ) : void{
1236 public function onEnterWorld() : void{
1237 if($this->player !== null){
1238 $world = $this->player->getWorld();
1239 $this->syncWorldTime($world->getTime());
1240 $this->syncWorldDifficulty($world->getDifficulty());
1241 $this->syncWorldSpawnPoint($world->getSpawnLocation());
1246 public function syncWorldTime(
int $worldTime) : void{
1247 $this->sendDataPacket(SetTimePacket::create($worldTime));
1250 public function syncWorldDifficulty(
int $worldDifficulty) : void{
1251 $this->sendDataPacket(SetDifficultyPacket::create($worldDifficulty));
1254 public function getInvManager() : ?InventoryManager{
1255 return $this->invManager;
1263 return
PlayerListEntry::createAdditionEntry($player->getUniqueId(), $player->getId(), $player->getDisplayName(), $this->typeConverter->getSkinAdapter()->toSkinData($player->getSkin()), $player->getXuid());
1267 public function onPlayerAdded(
Player $p) : void{
1268 $this->sendDataPacket(PlayerListPacket::add([PlayerListEntry::createAdditionEntry($p->getUniqueId(), $p->getId(), $p->getDisplayName(), $this->typeConverter->getSkinAdapter()->toSkinData($p->getSkin()), $p->getXuid())]));
1271 public function onPlayerRemoved(
Player $p) : void{
1272 if($p !== $this->player){
1273 $this->sendDataPacket(PlayerListPacket::remove([PlayerListEntry::createRemovalEntry($p->
getUniqueId())]));
1277 public function onTitle(
string $title) : void{
1278 $this->sendDataPacket(SetTitlePacket::title($title));
1281 public function onSubTitle(
string $subtitle) : void{
1282 $this->sendDataPacket(SetTitlePacket::subtitle($subtitle));
1285 public function onActionBar(
string $actionBar) : void{
1286 $this->sendDataPacket(SetTitlePacket::actionBarMessage($actionBar));
1289 public function onClearTitle() : void{
1290 $this->sendDataPacket(SetTitlePacket::clearTitle());
1293 public function onResetTitleOptions() : void{
1294 $this->sendDataPacket(SetTitlePacket::resetTitleOptions());
1297 public function onTitleDuration(
int $fadeIn,
int $stay,
int $fadeOut) : void{
1298 $this->sendDataPacket(SetTitlePacket::setAnimationTimes($fadeIn, $stay, $fadeOut));
1301 public function onToastNotification(
string $title,
string $body) : void{
1302 $this->sendDataPacket(ToastRequestPacket::create($title, $body));
1305 public function onOpenSignEditor(Vector3 $signPosition,
bool $frontSide) : void{
1306 $this->sendDataPacket(OpenSignPacket::create(BlockPosition::fromVector3($signPosition), $frontSide));
1309 public function onItemCooldownChanged(Item $item,
int $ticks) : void{
1310 $this->sendDataPacket(PlayerStartItemCooldownPacket::create(
1311 GlobalItemDataHandlers::getSerializer()->serializeType($item)->getName(),
1316 public function tick() : void{
1317 if(!$this->isConnected()){
1322 if($this->info ===
null){
1323 if(time() >= $this->connectTime + 10){
1324 $this->disconnectWithError(KnownTranslationFactory::pocketmine_disconnect_error_loginTimeout());
1330 if($this->player !==
null){
1331 $this->player->doChunkRequests();
1333 $dirtyAttributes = $this->player->getAttributeMap()->needSend();
1334 $this->entityEventBroadcaster->syncAttributes([$this], $this->player, $dirtyAttributes);
1335 foreach($dirtyAttributes as $attribute){
1338 $attribute->markSynchronized();
1341 Timings::$playerNetworkSendInventorySync->startTiming();
1343 $this->invManager?->flushPendingUpdates();
1345 Timings::$playerNetworkSendInventorySync->stopTiming();
1348 $this->flushSendBuffer();