Android 知识点 集锦

2019-03-08  本文已影响0人  Merbng

1.自定义Handler时如何避免内存泄露

一般非静态内部类持有外部类的引用的情况下,造成外部类在使用完成后不能被系统回收内存,从而造成内存泄露,为了避免这个问题,我们可以自定义Handler声明为静态内部类形式,然后通过弱引用的方式,让Handler持有外部类的引用,从而避免内存泄露问题。

public class MyHandler extends Handler {
    private MainActivity activity;

    public MyHandler(WeakReference<MainActivity> ref) {
        this.activity = ref.get();
    }

    @Override
    public void handleMessage(Message msg) {
        super.handleMessage(msg);
        switch (msg.what) {
            case 1:
                if (activity != null) {
                    activity.mText.setText("xxx");
                }
                break;
        }
    }
}
public class MainActivity extends AppCompatActivity {
public TextView mText;
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        WeakReference<MainActivity> reference = new WeakReference<>(this);
        MyHandler myHandler = new MyHandler(reference);
        myHandler.sendEmptyMessage(1);
}
}

2.onNewIntent()调用时机

默认情况下,通过Intent启动一个Activity的时候,就算存在一个已经正在运行的Activity,系统都会创建一个新的Activity实例并显示出来,为了不让Activity实例化多次,我们需要通过配置AndroidManifest.xml 里面Activity的加载方式(launcheMode)以实现单任务模式。

        <activity
            android:name=".app.MainActivity"
            android:launchMode="singleTask">
            <intent-filter>
                <action android:name="android.intent.action.MAIN" />

                <category android:name="android.intent.category.LAUNCHER" />
            </intent-filter>
        </activity>

launcheModesingleTask的时候,通过Intent启动一个Activity,如果系统已经存在一个实例(已经打开过这个Activity),系统将会将请求发送到这个实例上,但这个时候,就不会调用onCreate了,而是调用onNewIntent
需要注意的是,当前设置了启动模式的这个activity已经启动过并在当前应用的堆栈中。

例子:

  1. 设置MainActivity的启动模式为singleTask(栈内复用)
        <activity
            android:name=".app.MainActivity"
            android:launchMode="singleTask">
            <intent-filter>
                <action android:name="android.intent.action.MAIN" />

                <category android:name="android.intent.category.LAUNCHER" />
            </intent-filter>
        </activity>

  1. MainActivity中重写onNewIntent()方法
    @Override
    protected void onNewIntent(Intent intent) {
        super.onNewIntent(intent);
        Bundle bundle = intent.getExtras();
        Log.e("","传过来的数据")
    }

3.说下Handler原理

HandlerMessageLooperMessageQueue构成了安卓的消息机制,handler创建后可以通过sendMessage 将消息加入消息队列,然后looper不断将消息从MessageQueue中取出来,回调到HandlerhandlerMessage方法,从而实现线程通信。
从两种情况来说:

编写记录
2019年3月8日10:06:05
2019年3月12日16:56:43

上一篇下一篇

猜你喜欢

热点阅读