Jump to content

What's the most efficient way to use event handlers?


Bedrock_Miner

Recommended Posts

Heyho guys!

 

I came across this question while I was creating my new mod.

I know three different ways to set up proper event handlers, like the examples here:

 

Event Handler 1:

 

Main.class:

public void initEventHandlers() {
  MinecraftForge.EVENT_BUS.register(new EventHandlerGameOverlay());
  FMLCommonHandler.instance().bus().register(new EventHandlerInput());
}

EventHandlerGameOverlay.class:

@SubscribeEvent
public void onGameOverlay(RenderGameOverlayEvent e) {
  [...]
}

EventHandlerInput.class:

@SubscribeEvent
public void onKeyPressed(KeyInputEvent e) {
  [...]
}

@SubscribeEvent
public void onMouse(MouseEvent e) {
  [...]
}

Basic idea of this event handler type: Every kind of event has its own event handler, so that they are logically divided into seperate classes. Every eventhandler is registered seperately.

Event Handler 2:

 

Main.class:

public void initEventHandlers() {
  MinecraftForge.EVENT_BUS.register(new EventHandler());
  FMLCommonHandler.instance().bus().register(new EventHandler());
}

EventHandler.class:

@SubscribeEvent
public void onGameOverlay(RenderGameOverlayEvent e) {
  [...]
}

@SubscribeEvent
public void onKeyPressed(KeyInputEvent e) {
  [...]
}

@SubscribeEvent
public void onMouse(MouseEvent e) {
  [...]
}

Basic idea of this event handler type: Every event is handled in a single class. This class is registered to both event buses.

Event Handler 3:

 

Main.class:

public void initEventHandlers() {
  MinecraftForge.EVENT_BUS.register(new EventHandlerController());
  FMLCommonHandler.instance().bus().register(new EventController());
}

EventHandlerController.class:

SubscribeEvent
public void onGameOverlay(RenderGameOverlayEvent e) {
  EventHandlerGameOverlay.onGameOverlay(e);
}

@SubscribeEvent
public void onKeyPressed(KeyInputEvent e) {
  EventHandlerInput.onKeyPressed(e);
}

@SubscribeEvent
public void onMouse(MouseEvent e) {
  EventHandlerInput.onMouse(e);
}

EventHandlerGameOverlay.class:

public void onGameOverlay(RenderGameOverlayEvent e) {
  [...]
}

EventHandlerInput.class:

public void onKeyPressed(KeyInputEvent e) {
  [...]
}

public void onMouse(MouseEvent e) {
  [...]
}

Basic idea of this event handler type: The event handlers are located in seperate classes to be logically divided but they are called by a single event handler which is the only handler of this mod which is registered to the buses.

 

 

 

I wonder, which of these different methods is the best one regarding orderliness of the code, time efficiency of the program and amount of code. Or is this indifferent altogether?

 

Please tell me what you think about this!

Link to comment
Share on other sites

I use a variant of #2, myself

 

public void initEventHandlers() {
  EventHandler evHandle = new EventHandler();
  MinecraftForge.EVENT_BUS.register(evHandle);
  FMLCommonHandler.instance().bus().register(evHandle); //OBJECT REUSE, HEYO
}

Apparently I'm a complete and utter jerk and come to this forum just like to make fun of people, be confrontational, and make your personal life miserable.  If you think this is the case, JUST REPORT ME.  Otherwise you're just going to get reported when you reply to my posts and point it out, because odds are, I was trying to be nice.

 

Exception: If you do not understand Java, I WILL NOT HELP YOU and your thread will get locked.

 

DO NOT PM ME WITH PROBLEMS. No help will be given.

Link to comment
Share on other sites

Personally I've separated:

Common:

*ForgeEvents

*FMLEvents

Client:

*ClientForgeEvents

 

and hadn't a chance to make ClientFMLEvents yet.

 

I register whole class once in proxy and in case of Client events I do that in client proxy ofc.

 

I doubt that there is any difference here other than readability.

1.7.10 is no longer supported by forge, you are on your own.

Link to comment
Share on other sites

I use a variant of #2, myself

 

public void initEventHandlers() {
  EventHandler evHandle = new EventHandler();
  MinecraftForge.EVENT_BUS.register(evHandle);
  FMLCommonHandler.instance().bus().register(evHandle); //OBJECT REUSE, HEYO
}

I take it one step further and make my event handler final. Then I store the singleton instance of the event handler in itself.

Maker of the Craft++ mod.

Link to comment
Share on other sites

I usually register event handler like this:

...
public class MyItem extends Item {
...
    public MyItem() {
        ...
        MinecraftForge.EVENT_BUS.register(this);
        ...
    }

    @SubscribeEvent
    public void onXX(XX event) {
        ...
    }
}

 

But I have no idea about whether it's not a efficient way(both programming and executing).

Of course, this event has close relations with the item.

Author of Tao Land Mod.

width=200 height=69http://taoland.herbix.me/images/1/14/TaoLandLogo.png[/img]

Also, author of RenderTo

----

I'm not an English native speaker. I just try my best.

Link to comment
Share on other sites

I doubt that having more or fewer classes really makes a difference as far as efficiency.

 

If your mod is running slowly, profile your code and see where the bottleneck is, then optimize that, but don't prematurely sacrifice clean organization of your project for what you imagine may be more efficient code.

 

In my case, I keep logical groups of events together in the same class, e.g. all my combat-related events go in CombatEventHandler class, whereas my world gen events go in GenEventHandler, etc. Some of these are registered to multiple buses, but most just one. For GuiOverlays, I make one class per overlay, treating it like any other GUI even though it uses an event.

 

Keeping client events separate is also nice, as then you can have a class member for Minecraft.getMinecraft and other such things that would crash your game otherwise.

 

Everyone has their personal preferences, and you should just choose one that makes sense for you and your project.

Link to comment
Share on other sites

I like keeping the number of event handling classes small because then it is less of a pain to register them and you won't forget to register one.  To me having lots of separate classes is "messier" than having them all grouped in one handler.  I do create a separate handler class for each bus though, so I have the regular one, the FML one, ore gen one, terrain gen one.  So basically one handler registered to each bus.

 

I suppose it depends on how complicated your event handling methods are.  Most of mine are about 15 lines or less of code, so it is not too unwieldy to have them all in one class.

 

As mentioned above, I don't think there would necessarily be any efficiency effect in the different approaches, although I suspect that having more classes means that the event bus needs to iterate more (would need a compiler expert to comment on that).  But mostly it is a coding style preference.

Check out my tutorials here: http://jabelarminecraft.blogspot.com/

Link to comment
Share on other sites

Join the conversation

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

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

×   Pasted as rich text.   Restore formatting

  Only 75 emoji are allowed.

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

×   Your previous content has been restored.   Clear editor

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

Announcements



  • Recently Browsing

    • No registered users viewing this page.
  • Posts

    • [net.minecraftforge.fml.loading.RuntimeDistCleaner/DISTXFORM]: Attempted to load class net/minecraft/client/MouseHandler for invalid dist DEDICATED_SERVER when im trying to start server mods: sinytra connector forgified fabric api jei forge origins forge moraks medival races forge geckolib forge wthit forge wizards fabric paladins and priests fabric runes fabric spell engine fabric playeranimator fabric (i checked its not clientside only mod and spell engine doesnt work without it) pehkui forge soulbound forge biomes o plenty forge biome blender forge terralith forge starlight fabric serializationisbad fabric ice and fire forge lazydfu fabric gravestone forge citadel forge alex mobs forge the undead revamped forge badpackets forge trinkets forge rpg difficulty fabric azurelib armor forge cloth config forge caelus forge ferritecore forge   [09May2024 11:32:59.097] [main/INFO] [cpw.mods.modlauncher.Launcher/MODLAUNCHER]: ModLauncher running: args [--launchTarget, forgeserver, --fml.forgeVersion, 47.2.20, --fml.mcVersion, 1.20.1, --fml.forgeGroup, net.minecraftforge, --fml.mcpVersion, 20230612.114412] [09May2024 11:32:59.102] [main/INFO] [cpw.mods.modlauncher.Launcher/MODLAUNCHER]: ModLauncher 10.0.9+10.0.9+main.dcd20f30 starting: java version 17.0.11 by Eclipse Adoptium; OS Linux arch amd64 version 5.4.0-172-generic [09May2024 11:33:00.615] [main/INFO] [net.minecraftforge.fml.loading.ImmediateWindowHandler/]: ImmediateWindowProvider not loading because launch target is forgeserver [09May2024 11:33:00.694] [main/INFO] [mixin-transmog/]: Mixin Transmogrifier is definitely up to no good... [09May2024 11:33:00.798] [main/INFO] [mixin-transmog/]: crimes against java were committed [09May2024 11:33:00.830] [main/INFO] [mixin-transmog/]: Original mixin transformation service successfully crobbed by mixin-transmogrifier! [09May2024 11:33:00.997] [main/INFO] [mixin/]: SpongePowered MIXIN Subsystem Version=0.8.5 Source=union:/server/server-data/mods/Connector-1.0.0-beta.43+1.20.1.jar%23133%23136!/ Service=ModLauncher Env=SERVER [09May2024 11:33:01.008] [main/INFO] [io.dogboy.serializationisbad.core.SerializationIsBad/]: Initializing SerializationIsBad, implementation type: modlauncher [09May2024 11:33:01.815] [main/INFO] [io.dogboy.serializationisbad.core.SerializationIsBad/]: Using remote config file [09May2024 11:33:01.820] [main/INFO] [io.dogboy.serializationisbad.core.SerializationIsBad/]: Loaded config file [09May2024 11:33:01.822] [main/INFO] [io.dogboy.serializationisbad.core.SerializationIsBad/]:   Blocking Enabled: true [09May2024 11:33:01.823] [main/INFO] [io.dogboy.serializationisbad.core.SerializationIsBad/]:   Loaded Patch Modules: 39 [09May2024 11:33:03.095] [main/WARN] [net.minecraftforge.fml.loading.moddiscovery.ModFileParser/LOADING]: Mod file /server/jars/forge-1.20.1-47.2.20/libraries/net/minecraftforge/fmlcore/1.20.1-47.2.20/fmlcore-1.20.1-47.2.20.jar is missing mods.toml file [09May2024 11:33:03.096] [main/WARN] [net.minecraftforge.fml.loading.moddiscovery.ModFileParser/LOADING]: Mod file /server/jars/forge-1.20.1-47.2.20/libraries/net/minecraftforge/javafmllanguage/1.20.1-47.2.20/javafmllanguage-1.20.1-47.2.20.jar is missing mods.toml file [09May2024 11:33:03.097] [main/WARN] [net.minecraftforge.fml.loading.moddiscovery.ModFileParser/LOADING]: Mod file /server/jars/forge-1.20.1-47.2.20/libraries/net/minecraftforge/lowcodelanguage/1.20.1-47.2.20/lowcodelanguage-1.20.1-47.2.20.jar is missing mods.toml file [09May2024 11:33:03.098] [main/WARN] [net.minecraftforge.fml.loading.moddiscovery.ModFileParser/LOADING]: Mod file /server/jars/forge-1.20.1-47.2.20/libraries/net/minecraftforge/mclanguage/1.20.1-47.2.20/mclanguage-1.20.1-47.2.20.jar is missing mods.toml file [09May2024 11:33:04.426] [main/WARN] [net.minecraftforge.jarjar.selection.JarSelector/]: Attempted to select two dependency jars from JarJar which have the same identification: Mod File:  and Mod File: . Using Mod File: [09May2024 11:33:04.427] [main/INFO] [net.minecraftforge.fml.loading.moddiscovery.JarInJarDependencyLocator/]: Found 50 dependencies adding them to mods collection [09May2024 11:33:10.029] [main/INFO] [dev.su5ed.sinytra.connector.service.hacks.ModuleLayerMigrator/]: Successfully made module authlib transformable [09May2024 11:33:14.416] [main/INFO] [mixin/]: Compatibility level set to JAVA_17 [09May2024 11:33:15.020] [main/ERROR] [dev.su5ed.sinytra.connector.loader.ConnectorEarlyLoader/]: Skipping early mod setup due to previous error [09May2024 11:33:15.095] [main/INFO] [cpw.mods.modlauncher.LaunchServiceHandler/MODLAUNCHER]: Launching target 'forgeserver' with arguments [] [09May2024 11:33:22.894] [main/ERROR] [net.minecraftforge.fml.loading.RuntimeDistCleaner/DISTXFORM]: Attempted to load class net/minecraft/client/MouseHandler for invalid dist DEDICATED_SERVER [09May2024 11:33:22.895] [main/WARN] [mixin/]: Error loading class: net/minecraft/client/MouseHandler (java.lang.RuntimeException: Attempted to load class net/minecraft/client/MouseHandler for invalid dist DEDICATED_SERVER) [09May2024 11:33:22.896] [main/WARN] [mixin/]: @Mixin target net.minecraft.client.MouseHandler was not found fabric-screen-api-v1.mixins.json:MouseMixin from mod fabric_screen_api_v1 [09May2024 11:33:22.898] [main/ERROR] [net.minecraftforge.fml.loading.RuntimeDistCleaner/DISTXFORM]: Attempted to load class net/minecraft/client/gui/screens/Screen for invalid dist DEDICATED_SERVER [09May2024 11:33:22.899] [main/WARN] [mixin/]: Error loading class: net/minecraft/client/gui/screens/Screen (java.lang.RuntimeException: Attempted to load class net/minecraft/client/gui/screens/Screen for invalid dist DEDICATED_SERVER) [09May2024 11:33:22.899] [main/WARN] [mixin/]: @Mixin target net.minecraft.client.gui.screens.Screen was not found fabric-screen-api-v1.mixins.json:ScreenAccessor from mod fabric_screen_api_v1 [09May2024 11:33:24.819] [main/INFO] [MixinExtras|Service/]: Initializing MixinExtras via com.llamalad7.mixinextras.service.MixinExtrasServiceImpl(version=0.3.5).
    • I think i've found a more "generation friendly way" of generating random blobs of mineral around the ore. This both does the trick and make the generation work flawlessly (albeit i need to make some adjustments). I just ended up thinking "MAYBE there is another Feature I can use to place the minerals instead of doing it manually" And, low and behold, SCATTERED_ORE  is actually a thing. I don't really know how "orthodox" this solution is, but it works and rids me of all the problems I had witht my original "manual" implementation. If anybody has any insight on why my original class could've been causing lag to the point of freezes and chunk generation just refusing to keep loading new chunks, I'm also all ears:   Here is the full if (placed) block for anyone with a smiliar issue: if (placed) { // Define the block to replace surrounding blocks with BlockState surroundingBlockState = BlockInit.ABERRANT_MINERALOID.get().defaultBlockState(); RuleTest stoneReplacement = new TagMatchTest(BlockTags.STONE_ORE_REPLACEABLES); //Tag which indicates ores that can replace stone RuleTest deepslateReplacement = new TagMatchTest(BlockTags.DEEPSLATE_ORE_REPLACEABLES); //Tag which indicates ores that can replace deepslate // Create a list of TargetBlockState for the Aberrant Mineraloids List<OreConfiguration.TargetBlockState> targets = new ArrayList<>(); targets.add(OreConfiguration.target(stoneReplacement, surroundingBlockState)); targets.add(OreConfiguration.target(deepslateReplacement, surroundingBlockState)); // Create a new OreConfiguration for the Aberrant Mineraloids OreConfiguration mineraloidConfig = new OreConfiguration(targets, 9); // vein size // Create a new context for the Aberrant Mineraloids FeaturePlaceContext<OreConfiguration> mineraloidCtx = new FeaturePlaceContext<>( Optional.empty(), world, ctx.chunkGenerator(), ctx.random(), offsetOrigin, mineraloidConfig ); // Generate the Aberrant Mineraloids using the SCATTERED_ORE configuration boolean mineraloidsPlaced = Feature.SCATTERED_ORE.place(mineraloidCtx); }  
    • bonjour , j ai trouver une vidéo très intéressant sur Minecraft comment voler des villageois sans qu'il sans rendent compte en 37 manière , c est très intéressant a voir et surtout  le refaire après    Je vous les met le lien de la vidéo YouTube : https://shrinkme.cc/ZlHy 
    • Wow, thanks @scientistknight1 ! That was exactly it. The issue: I was extending BaseEntityBlock, which implements getRenderShape as invisible for some reason: public abstract class BaseEntityBlock extends Block implements EntityBlock { ... public RenderShape getRenderShape(BlockState p_49232_) { return RenderShape.INVISIBLE; } ... } Looking at the Implementation on Block, it calls BlockBehaviour, which returns RenderShape.MODEL. Overriding it on my Entity did the trick.   public class AutomataStartBlock extends BaseEntityBlock { ... @Override public RenderShape getRenderShape(BlockState p_49232_) { return RenderShape.MODEL; } ... } It now works. I wonder why why BaseEntityBlock returns INVISIBLE, though.
  • Topics

×
×
  • Create New...

Important Information

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