How to use the GWT EventBus

后端 未结 1 858
梦毁少年i
梦毁少年i 2020-11-27 12:19

I wonder how to use the EventBus or whether there are some better solutions to send an Event through the project.

Widget1 has

相关标签:
1条回答
  • 2020-11-27 13:08

    When you divide the project into logical parts (for example with MVP), then the different parts sometimes need to communicate. Typical this communication is done by sending status changes, e.g.:

    • user logged-in / logged-out.
    • user navigated directly via URL to a page, so the menu needs to be updated.

    Using the event bus is quite logical in those cases.

    To use it you instantiate one EventBus per app which is then used by all other classes. To achieve this use a static field, factory or dependency injection (GIN in case of GWT).

    Example with your own event types:

    public class AppUtils{
    
        public static EventBus EVENT_BUS = GWT.create(SimpleEventBus.class);
    }
    

    Normally you'd also create your own event types and handlers:

    public class AuthenticationEvent extends GwtEvent<AuthenticationEventHandler> {
    
    public static Type<AuthenticationEventHandler> TYPE = new Type<AuthenticationEventHandler>();
    
      @Override
    public Type<AuthenticationEventHandler> getAssociatedType() {
        return TYPE;
    }
    
    @Override
    protected void dispatch(AuthenticationEventHandler handler) {
        handler.onAuthenticationChanged(this);
    }
    }
    

    and the handler:

    public interface AuthenticationEventHandler extends EventHandler {
        void onAuthenticationChanged(AuthenticationEvent authenticationEvent);
    }
    

    Then you use it like this:

    AppUtils.EVENT_BUS.addHandler(AuthenticationEvent.TYPE, new AuthenticationEventHandler()     {
            @Override
            public void onAuthenticationChanged(AuthenticationEvent authenticationEvent) {
                // authentication changed - do something
            }
        });
    

    and fire the event:

    AppUtils.EVENT_BUS.fireEvent(new AuthenticationEvent());
    
    0 讨论(0)
提交回复
热议问题