一、Activity生命周期
粗略图,更精细的:https://github.com/xxv/android-lifecycle
二、service生命周期及启动方式
1、.startService()
Intent intentStart = new Intent(this, Service.class);
startService(intentStart);
Intent intentStop = new Intent(this, Service.class);
stopService(intentStop);
2.bindService()
Intent bindService = new Intent(this, BindService.class);
bindService(bindService, mServiceConnection, BIND_AUTO_CREATE);
public static BindService service ;
public final ServiceConnection mServiceConnection = new ServiceConnection() {
@Override
public void onServiceConnected(ComponentName componentName, IBinder service) {
service = ((BindService.LocalBinder) service).getService();
}
@Override
public void onServiceDisconnected(ComponentName componentName) {
service =null;
}
};
2.IntentService()
IntentService是继承并处理异步请求的一个类,在IntentService内有一个工作线程来处理耗时操作,启动IntentService的方式和启动传统的Service一样,同时,当任务执行完后,IntentService会自动停止,而不需要我们手动去控制或stopSelf()。另外,可以启动IntentService多次,而每一个耗时操作会以工作队列的方式在IntentService的onHandleIntent回调方法中执行,并且,每次只会执行一个工作线程,执行完第一个再执行第二个,以此类推。
三、 android:LaunchMode及其使用场景
1.standard
默认模式,每次激活Activity时都会创建Activity实例,并放入任务栈中。
2. singleTop
如果在任务的栈顶正好存在该Activity的实例,就重用该实例( 会调用实例的 onNewIntent() ),否则就会创建新的实例并放入栈顶,即使栈中已经存在该Activity的实例,只要不在栈顶,都会创建新的实例。使用场景如新闻类或者阅读类App的内容页面。
3.singleTask
如果在栈中已经有该Activity的实例,就重用该实例(会调用实例的 onNewIntent() )。重用时,会让该实例回到栈顶,因此在它上面的实例将会被移出栈。如果栈中不存在该实例,将会创建新的实例放入栈中。使用场景如浏览器的主界面。不管从多少个应用启动浏览器,只会启动主界面一次,其余情况都会走onNewIntent,并且会清空主界面上面的其他页面。
4.singleInstance
在一个新栈中创建该Activity的实例,并让多个应用共享该栈中的该Activity实例。一旦该模式的Activity实例已经存在于某个栈中,任何应用再激活该Activity时都会重用该栈中的实例( 会调用实例的 onNewIntent() )。其效果相当于多个应用共享一个应用,不管谁激活该 Activity 都会进入同一个应用中。使用场景如闹铃提醒,将闹铃提醒与闹铃设置分离。singleInstance不要用于中间页面,如果用于中间页面,跳转会有问题,比如:A -> B (singleInstance) -> C,完全退出后,在此启动,首先打开的是B。
四、 Activity,View,Window三者关系
1.Activity构造的时候初始化一个Window---PhoneWindow。
2.PhoneWindow有一个ViewRoot,ViewRoot里面有一个ViewGroup,view的跟布局
3.ViewRoot通过addView方法来一个个的添加View。比如TextView,Button等
4:这些View的事件监听,是由WindowManagerService来接受消息,并且回调Activity函数。
网友评论