Jump to content

How to actually attach variables/information to server-to-client packets?


Recommended Posts

Posted (edited)

I'm relatively new to all of this and sure the answer to this is very simple, yet I can't seem to find any answers within the documentation or these forums. I (working in 1.19.2) am trying to write a system of packets to make it so that, when an item is used by one user, it creates particles that are seen by all nearby players. These particles should spawn at the position of the player who uses the items. Right now I have a packet, "ParticlePacket", that is sent from the client of the player using the item to the server. At the server level, a list of nearby players is made and each is sent a separate packet, "ParticleReceivePacket" to their client. (I know these names are not the best, my apologies.) The packets are sending perfectly fine, I have checked this by sending chat messages to players sending and receiving packets. The issue is that I can't find out how to send the original player as a variable to the clients receiving the packet. Sending specific information through a packet seems that it should be a no-brainer, that's pretty much what they're meant for as I understand. But for some reason how to do this completely escapes me. Any advice?

Here's where I register my packets:
ModMessages.class

package com.pinkdotnet.wowozela;

import com.pinkdotnet.wowozela.packet.ParticlePacket;
import com.pinkdotnet.wowozela.packet.ParticleReceivePacket;

import net.minecraft.resources.ResourceLocation;
import net.minecraft.server.level.ServerPlayer;
import net.minecraftforge.network.NetworkDirection;
import net.minecraftforge.network.NetworkRegistry;
import net.minecraftforge.network.PacketDistributor;
import net.minecraftforge.network.simple.SimpleChannel;

public class ModMessages {
	private static SimpleChannel INSTANCE;
	
	private static int packetId = 0;
	private static int id() {
		return packetId++;
	}
	
	public static void register()
	{
		SimpleChannel net = NetworkRegistry.ChannelBuilder
				.named(new ResourceLocation(Wowozela.MODID, "messages"))
				.networkProtocolVersion(() -> "1.0")
				.clientAcceptedVersions(s -> true)
				.serverAcceptedVersions(s -> true)
				.simpleChannel();
		INSTANCE = net;
		
		net.messageBuilder(ParticlePacket.class, id(), NetworkDirection.PLAY_TO_SERVER)
			.decoder(ParticlePacket::new)
			.encoder(ParticlePacket::toBytes)
			.consumerMainThread(ParticlePacket::handle)
			.add();
		net.messageBuilder(ParticleReceivePacket.class, id(), NetworkDirection.PLAY_TO_CLIENT)
		.decoder(ParticleReceivePacket::new)
		.encoder(ParticleReceivePacket::toBytes)
		.consumerMainThread(ParticleReceivePacket::handle)
		.add();
	}
	
	
	
	public static <MSG> void sendToServer(MSG message) {
		INSTANCE.sendToServer(message);
	}
	
	public static <MSG> void sendToPlayer(MSG message, ServerPlayer player) {
		INSTANCE.send(PacketDistributor.PLAYER.with(()-> player), message);
	}
}

Here's my client-to-server packet, sent when an item is used:

ParticlePacket.class

package com.pinkdotnet.wowozela.packet;

import java.io.Console;
import java.util.List;
import java.util.function.Supplier;

import com.pinkdotnet.wowozela.ModMessages;
import com.pinkdotnet.wowozela.particle.ModParticles;

import net.minecraft.network.FriendlyByteBuf;
import net.minecraft.server.level.ServerLevel;
import net.minecraft.server.level.ServerPlayer;
import net.minecraftforge.network.NetworkEvent;
import net.minecraft.network.chat.Component;

public class ParticlePacket {
	public ParticlePacket() {
		
	}
	
	public ParticlePacket(FriendlyByteBuf buf) {
		
	}
	
	public void toBytes(FriendlyByteBuf buf) {
		
	}
	
	public boolean handle(Supplier<NetworkEvent.Context> supplier) {
		NetworkEvent.Context context = supplier.get();
		context.enqueueWork(() -> {
			// ON SERVER
			ServerPlayer sender = context.getSender();
			ServerLevel level = sender.getLevel();
			
			List<ServerPlayer> playersList = level.players();
			
			
			for(ServerPlayer player : playersList)
			{
				if(player != sender)
				{
					double distance = Math.sqrt(Math.pow(player.position().x - sender.position().x, 2) + Math.pow(player.position().z - sender.position().z, 2));
					if(distance < 30) {
						ModMessages.sendToPlayer(new ParticleReceivePacket(), player);
					}
				}
			}
		});
		return true;
	}
}

And here's my server-to-client packet, sent to all nearby players.
 

package com.pinkdotnet.wowozela.packet;

import java.io.Console;
import java.util.List;
import java.util.function.Supplier;

import com.pinkdotnet.wowozela.particle.ModParticles;

import net.minecraft.network.FriendlyByteBuf;
import net.minecraft.server.level.ServerLevel;
import net.minecraft.server.level.ServerPlayer;
import net.minecraftforge.network.NetworkEvent;
import net.minecraft.network.chat.Component;

public class ParticleReceivePacket {

	public ParticleReceivePacket() {

	}
	
	public ParticleReceivePacket(FriendlyByteBuf buf) {
		
	}
	
	public void toBytes(FriendlyByteBuf buf) {
		
	}
	
	public static boolean handle(ParticleReceivePacket message, Supplier<NetworkEvent.Context> supplier) {
		NetworkEvent.Context context = supplier.get();
		context.enqueueWork(() -> {
			// ON CLIENT

			//Below line will spawn particles at location of sender, when sender is avaliable
			//level.addParticle(ModParticles.WOWOZELA_PARTICLES.get(), message.sender.position().x, message.sender.position().y + 1.5, message.sender.position().z, ((message.sender.getLookAngle().x/2)), ((message.sender.getLookAngle().y/2)), ((message.sender.getLookAngle().z/2)));
			
		});
		return true;
	}
}

How can I send the sender of the first packet to the receiver of the second one? Feel free to tell me how dumb I am, because I can already feel that the answer to this one is going to be obvious, I just can't find it anywhere and can't figure it out myself.
EDIT 1: Do I need to handle the server-to-client packet in a separate class from the packet class?

Edited by mintmeal
Elaborating on the original question
Posted

Please don't dump code snippets in the forum.

Post complete reproducable examples to github so we can see everything in context.

e.g. you don;t show your item code that triggers all this

 

You shouldn't need to do any custom networking for this unless your processing is none standard.

That item "use" method should get called on both the client and server.

 

From the server you can use ServerLevel.sendParticles()

See for example PotionItem.useOn() which calls sendParticles when isClientSide is false - there are many other examples in the vanilla code

 

https://forge.gemwire.uk/wiki/Particles#Spawning_Particles

 

To answer exact question:

Players are Entitys. Minecraft serializes them over the network using their entityId.

But the player is often implicit in the connection. Its only when another player is referenced that these ids get sent.

Boilerplate:

If you don't post your logs/debug.log we can't help you. For curseforge you need to enable the forge debug.log in its minecraft settings. You should also post your crash report if you have one.

If there is no error in the log file and you don't have a crash report then post the launcher_log.txt from the minecraft folder. Again for curseforge this will be in your curseforge/minecraft/Install

Large files should be posted to a file sharing site like https://gist.github.com  You should also read the support forum sticky post.

Posted

Thank you for replying, and sorry for filling your screen with my code dumps, I'll use Github next time. ServerLevel.SendParticles was exactly what I needed. Thank you so much!

Join the conversation

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

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

×   Pasted as rich text.   Restore formatting

  Only 75 emoji are allowed.

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

×   Your previous content has been restored.   Clear editor

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

Announcements



  • Recently Browsing

    • No registered users viewing this page.
  • Posts

    • Hi, I made this mod, inspired by my friends and various loud streamers, and it's perfect for YouTubers who want a little extra pizzaz when they scream in their videos.   The mod works by detecting a high sound level (which you can configure) through your computer’s audio input. Once the sound threshold is reached, your player character will instantly explode! It doesn't use any external APIs; it just relies on the built-in javax sampled package. Check it out!    
    • Good day, I know this is years later and I hate to necropost but I ran into this exact same issue today and yours was the only one that popped up in my search. Turns out my file system permissions were all kinds of messed up in my minecraft directory. Here's how I fixed it: 1. Open terminal 2. Navigate to the .minecraft directory using the cd command, it can be helpful to have your file explorer open next to your terminal if you're a more visual person like me 3. On my OS (PopOS) the folders with messed up permissions had a padlock on them 4. Ran the command  sudo chmod a+rwx [fileName] I also ran  sudo chmod 777 [fileName] and got the same results with both. However it turns out a lot of my sub folders were messed up too which meant I had to make the changes recursively, which in plain English means all of the sub-folders under the directory. So I ended up running the command  sudo chmod -R 777 [fileName] which then changed all of the subfolders and files and ended up saving me a LOT of time doing it one at a time like the first two commands do. 5. After fixing permissions in the various subfolders ran the installer with the command java -jar [latestForgeInstallerNameGoesHereWithoutSquareBrackets] 6. Installed and launched without a hitch! Hope this helps new Linux users as for most advanced users this breakdown isn't very helpful, I'm still learning a ton myself. Additional note that might clear up future confusion, do not include [ or ] in your commands that I've listed here, I just use [ and ] in my personal notes to denote that I need to put something from the file system in the command. If yours was anything like mine all of the files from /de/oceanlabs/mcp/mcp_config/1.18-20211130.085255/mcp_config-1.18-20211130.085255-mappings.txt all had the wrong permissions. -Zamorakphat
    • hi fellas I remember back when I was in high school and had way more time to develop mods, there were tons of active posts, and while the documentation wasn’t always super extensive, you could always find someone to help you out with your questions or see someone else’s threads that were really informative. But lately, I’ve noticed that the forum seems pretty empty compared to how it used to be. I’m wondering, is there a specific reason for this? Is it just that the community has moved to other platforms, like Discord? It feels like a lot of the knowledge base and conversations have shifted over there. I’m just curious to hear others’ thoughts on this, and if anyone knows why the forum has become quieter, I’d love to know! Thanks!
    • @TileEntity Here's the log, sorry for all the trouble and confusion  https://paste.ee/p/Ihi4VMVn
    • https://gist.github.com/StrikeAttack7/f638897b5ffb88cc6db6c21946e1a216 When I tried logging into the server client side this is the error I got
  • Topics

  • Who's Online (See full list)

    • There are no registered users currently online
×
×
  • Create New...

Important Information

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