【EventBus】EventBus 使用示例 ( 最简单的 EventBus 示例 )

2023-03-29 17:42:32 浏览数 (1)

文章目录

  • 一、导入依赖
  • 二、注册 EventBus
  • 三、发送 EventBus 事件
  • 四、完整代码示例
  • 五、源码地址

一、导入依赖


在 Module 下的 build.gradle 中导入 EventBus 依赖 ;

代码语言:javascript复制
implementation 'org.greenrobot:eventbus:3.2.0'

二、注册 EventBus


在 onCreate 注册 EventBus ;

代码语言:javascript复制
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        // 首先注册订阅 EventBus
        EventBus.getDefault().register(this);
    }

在 onDestory 中 取消注册 EventBus ;

代码语言:javascript复制
    @Override
    protected void onDestroy() {
        super.onDestroy();

        // 取消注册
        EventBus.getDefault().unregister(this);
    }

三、发送 EventBus 事件


点击按钮 , 通过 EventBus 发送消息 ;

代码语言:javascript复制
        textView = findViewById(R.id.textView);
        // 设置点击事件, 点击后发送消息
        textView.setOnClickListener((View view)->{
            EventBus.getDefault().post("Hello EventBus !");
        });

四、完整代码示例


代码语言:javascript复制
package com.eventbus_demo;

import androidx.appcompat.app.AppCompatActivity;

import android.os.Bundle;
import android.view.View;
import android.widget.TextView;

import org.greenrobot.eventbus.EventBus;
import org.greenrobot.eventbus.Subscribe;

public class MainActivity extends AppCompatActivity {

    private TextView textView;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        textView = findViewById(R.id.textView);
        // 设置点击事件, 点击后发送消息
        textView.setOnClickListener((View view)->{
            EventBus.getDefault().post("Hello EventBus !");
        });

        // 首先注册订阅 EventBus
        EventBus.getDefault().register(this);
    }

    /**
     * 使用 @Subscribe 注解修饰处理消息的方法
     *      该方法必须是 public void 修饰的
     *      只有一个参数 , 参数类型随意
     *      调用 EventBus.getDefault().post 即可发送消息到该方法进行处理
     * @param msg
     */
    @Subscribe
    public void onMessgeEvent(String msg){
        textView.setText(msg);
    }

    @Override
    protected void onDestroy() {
        super.onDestroy();

        // 取消注册
        EventBus.getDefault().unregister(this);
    }
}

运行效果 : 点击按钮后发送消息 , 处理消息的 onMessgeEvent 方法中 , 接收到消息 , 将按钮文本变为 “Hello EventBus !” ;

五、源码地址

GitHub : https://github.com/han1202012/EventBus_Demo

0 人点赞