Android Context在四大组件及Application中的表现

文章目录

  • Android Context在四大组件及Application中的表现
    • Context是什么
    • Context源码
    • Activity流程分析
    • Service流程分析
    • BroadcastReceiver流程分析
    • ContentProvider流程分析
    • Application流程分析

Android Context在四大组件及Application中的表现

Context是什么

Context可以理解为“上下文”或”环境“,它提供了访问系统服务及系统资源的功能,Context 参与加载资源、启动Activity、启动Service、获取系统服务/应用资源、创建View、数据库等操作。

在这里插入图片描述

Context有两个实现子类:ContextImpl类和ContextWrapper类。

ContextWrapper类,如其名所言,是一个包装类,内部必须包含一个真正的Context引用(mBase),调用ContextWrapper的方法都会被指向真正的Context对。

ContextThemeWrapper类,如起名所言,内部包含了与Theme(主题)相关的信息,这里的Theme就是定义在Androidmanifest.xml中主题,只有Activity才能定义主题,Servier是不需要主题的,所以Service直接继承自ContextWrapper,Application也同理。

ContextImpl类是真正实现了Context中的所有方法,应用程序中所调用的各种Context类方法都来自该类。

Context源码

public abstract class Context {// 作用1:获取应用相关信息public abstract ApplicationInfo getApplicationInfo();public abstract String getPackageName();public abstract Looper getMainLooper();public abstract int checkPermission(@NonNull String permission, int pid, int uid);// 作用2:获取系统/应用资源// 如 AssetManager、PackageManager、Resources、System Service 以及 color、string、drawable 等public abstract AssetManager getAssets();public abstract Resources getResources();public abstract PackageManager getPackageManager();public abstract Context getApplicationContext();public abstract ClassLoader getClassLoader();public final @Nullable <T> T getSystemService(@NonNull Class<T> serviceClass) { ... }public final String getString(@StringRes int resId) { ... }public final int getColor(@ColorRes int id) { ... }public final Drawable getDrawable(@DrawableRes int id) { ... }public abstract Resources.Theme getTheme();public abstract void setTheme(@StyleRes int resid);public final TypedArray obtainStyledAttributes(@StyleableRes int[] attrs) { ... }// 作用3:四大组件之间的交互// 如启动 Activity、Broadcast、Service,获取 ContentResolver 等public abstract void startActivity(@RequiresPermission Intent intent);public abstract void sendBroadcast(@RequiresPermission Intent intent);public abstract Intent registerReceiver(@Nullable BroadcastReceiver receiver,IntentFilter filter);public abstract void unregisterReceiver(BroadcastReceiver receiver);public abstract ComponentName startService(Intent service);public abstract boolean stopService(Intent service);public abstract boolean bindService(@RequiresPermission Intent service,@NonNull ServiceConnection conn, @BindServiceFlags int flags);public abstract void unbindService(@NonNull ServiceConnection conn);public abstract ContentResolver getContentResolver();// 作用4:文件相关// 如:获取缓存文件夹、删除文件、SharedPreference 相关等public abstract File getSharedPreferencesPath(String name);public abstract File getDataDir();public abstract boolean deleteFile(String name);public abstract File getExternalFilesDir(@Nullable String type);public abstract File getCacheDir();...public abstract SharedPreferences getSharedPreferences(String name, @PreferencesMode int mode);public abstract boolean deleteSharedPreferences(String name);// 作用5:数据库// 如打开数据库、删除数据库、获取数据库路径等public abstract SQLiteDatabase openOrCreateDatabase(...);public abstract boolean deleteDatabase(String name);public abstract File getDatabasePath(String name);...
}

Activity流程分析

核心源码分析:

// ActivityThread类:private Activity performLaunchActivity(ActivityClientRecord r, Intent customIntent) {// 创建ContextImplContextImpl appContext = createBaseContextForActivity(r);Activity activity = null;try {java.lang.ClassLoader cl = appContext.getClassLoader();// 通过反射创建Activityactivity = mInstrumentation.newActivity(cl, component.getClassName(), r.intent);       } try {// 获得ApplicationApplication app = r.packageInfo.makeApplication(false, mInstrumentation);if (activity != null) {appContext.setOuterContext(activity);// 通过attach()方法将appContext和app传递给Activityactivity.attach(appContext, this, getInstrumentation(), r.token,r.ident, app, r.intent, r.activityInfo, title, r.parent,r.embeddedID, r.lastNonConfigurationInstances, config,r.referrer, r.voiceInteractor, window, r.configCallback,r.assistToken, r.shareableActivityToken);}return activity;
}
// Activity类:public class Activity extends ContextThemeWrapper {private Application mApplication;final void attach(Context context, ActivityThread aThread,Instrumentation instr, IBinder token, int ident,Application application, Intent intent, ActivityInfo info,CharSequence title, Activity parent, String id,NonConfigurationInstances lastNonConfigurationInstances,Configuration config, String referrer, IVoiceInteractor voiceInteractor,Window window, ActivityConfigCallback activityConfigCallback, IBinder assistToken,IBinder shareableActivityToken) {// 最终传递给mBase变量attachBaseContext(context);mApplication = application;        }@Overrideprotected void attachBaseContext(Context newBase) {super.attachBaseContext(newBase);}public final Application getApplication() {return mApplication;}
}

说明:

ContextWrapper 内部包含一个 ContextImpl 类型的成员变量 mBase,mBase的创建是通过 ActivityThread#performLaunchActivity() 创建的。

performLaunchActivity() 主要是四步:

  • 通过 createBaseContextForActivity() 方法创建 ContextImpl 实例,得到appContext。
  • 通过反射创建Activity实例。
  • 获得Application实例,也就是app。
  • 通过 attach() 方法将 appContext 和 app 传递给Activity,初始化 mBase 变量。

Service流程分析

核心源码分析:

// ActivityThread类; private void handleCreateService(CreateServiceData data) {       Service service = null;try {// 获取ApplicationApplication app = packageInfo.makeApplication(false, mInstrumentation);// 通过反射创建Serviceservice = packageInfo.getAppFactory().instantiateService(cl, data.info.name, data.intent);// 创建ContextImplContextImpl context = ContextImpl.getImpl(service// 将context和app传递给Serviceservice.attach(context, this, data.info.name, data.token, app,ActivityManager.getService());} 
}

说明:

Service 的流程和 Activity 基本一致。

BroadcastReceiver流程分析

核心源码分析:

// ActivityThread类:private void handleReceiver(ReceiverData data) {Application app;BroadcastReceiver receiver;ContextImpl context;try {// 获取Applicationapp = packageInfo.makeApplication(false, mInstrumentation);// 获取ContextImplcontext = (ContextImpl) app.getBaseContext();// 通过反射创建BroadcastReiverreceiver = packageInfo.getAppFactory().instantiateReceiver(cl, data.info.name, data.intent);} try {// 实际传递的是ReceiverRestrictedContextreceiver.onReceive(context.getReceiverRestrictedContext(),data.intent);} 
}
// ReceiverRestrictedContext类:@Override
public Intent registerReceiver(BroadcastReceiver receiver, IntentFilter filter,String broadcastPermission, Handler scheduler) {if (receiver == null) {return super.registerReceiver(null, filter, broadcastPermission, scheduler);} else {throw new ReceiverCallNotAllowedException("BroadcastReceiver components are not allowed to register to receive intents");}
}@Override
public boolean bindService(Intent service, ServiceConnection conn, int flags) {throw new ReceiverCallNotAllowedException("BroadcastReceiver components are not allowed to bind to services");
}

说明:

BroadcastReceiver 不是 Context 的子类,它的 Context 对象是从其他地方传递来的。

ReceiverRestrictedContext 是 ContextWrapper 的子类, 重载了 registerReceiver 和 bindService 方法,因此广播的注册依赖与 Context。

ContentProvider流程分析

核心源码分析:

// ActivityThread类:private ContentProviderHolder installProvider(Context context,ContentProviderHolder holder, ProviderInfo info,boolean noisy, boolean noReleaseNeeded, boolean stable) {ContentProvider localProvider = null;IContentProvider provider;if (holder == null || holder.provider == null) {        Context c = null;ApplicationInfo ai = info.applicationInfo;// 获得ContextImplc = context.createPackageContext(ai.packageName,                                      									 Context.CONTEXT_INCLUDE_CODE);             try {// 通过反射创建ContentProviderlocalProvider = packageInfo.getAppFactory().instantiateProvider(cl, info.name);// 传入ContextlocalProvider.attachInfo(c, info);} } return retHolder;
}
// ContentProvide类:private Context mContext = null;public void attachInfo(Context context, ProviderInfo info) {attachInfo(context, info, false);
}private void attachInfo(Context context, ProviderInfo info, boolean testing) {if (mContext == null) {mContext = context;        ContentProvider.this.onCreate();}
}

说明:

ContentProvider 不是 Context 的子类,在应用启动时会自动创建 ContentProvider 并传入 Context 对象。

Application流程分析

核心源码分析:

// ActivityThread类:private Application mApplication;public Application makeApplication(boolean forceDefaultAppClass,Instrumentation instrumentation) {if (mApplication != null) {return mApplication;}Application app = null;try {// 创建ContextImpl实例ContextImpl appContext = ContextImpl.createAppContext(mActivityThread, this);// 通过反射创建Application,并调用attach()方法传入Contextapp = mActivityThread.mInstrumentation.newApplication(cl, appClass, appContext);} mActivityThread.mAllApplications.add(app);// 赋值mApplication = app;if (instrumentation != null) {try {// 回调Application#onCreate()方法instrumentation.callApplicationOnCreate(app);} }return app;
}

说明:

makeApplication() 方法主要分四步:

  • 通过 createAppContext() 方法创建 ContextImpl 实例,也就是 appContext。
  • 通过 newApplication() 方法反射创建 Application 实例,接着调用 Application#attach() 方法传入 Context,初始化 mBase 变量。
  • 将 Application 保存为全局变量。
  • 回调 Application#onCreate() 方法。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/590127.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

(JAVA)-(网络编程)-TCP协议

客户端(发送端) 1.创建客户端的Socket对象: 参数需要传递要服务端(接收端)的IP和端口&#xff0c;会去链接服务端&#xff0c;服务端连接不上代码会报错 Socket socket new Socket("127.0.0.1",10000); 2.从Socket对象中获取输出流&#xff0c;写出数据 OutputStream…

Java技术栈 —— Redis的雪崩、穿透与击穿

Java技术栈 —— Redis的雪崩、穿透与击穿 〇、实验的先导条件&#xff08;NginxJmeter&#xff09;一、Redis缓存雪崩、缓存穿透、缓存击穿1.1 雪崩1.2 穿透1.3 击穿 二、Redis应用场景——高并发2.1 单机部署的高并发问题与解决&#xff08;JVM级别锁&#xff09;2.2 集群部署…

Redis7.2.3(Windows版本)

1、解压 &#xfeff; &#xfeff; 2、设置密码 &#xff08;1&#xff09; 右击编辑redis.conf文件&#xff1a; &#xfeff; &#xff08;2&#xff09; 设置密码。 &#xfeff; 3、测试密码是否添加成功 &#xfeff; 如上图所示&#xff0c;即为成功。 4、设置…

Android registerForActivityResult

startActivityForResult 已经被标记为不推荐的方法&#xff0c;推荐的替代方案是使用 registerForActivityResult&#xff1a; // Activity 的 onCreate 方法中调用 registerForActivityResult val activityResultLauncher registerForActivityResult(ActivityResultContract…

spring创建与使用

spring创建与使用 创建 Spring 项⽬创建⼀个 Maven 项⽬添加 Spring 框架⽀持添加启动类 存储 Bean 对象创建 Bean将 Bean 注册到容器 获取并使⽤ Bean 对象创建 Spring 上下⽂获取指定的 Bean 对象获取bean对象的方法 使⽤ Bean 总结 创建 Spring 项⽬ 接下来使⽤ Maven ⽅式…

010、切片

除了引用&#xff0c;Rust还有另外一种不持有所有权的数据类型&#xff1a;切片&#xff08;slice&#xff09;。切片允许我们引用集合中某一段连续的元素序列&#xff0c;而不是整个集合。 考虑这样一个小问题&#xff1a;编写一个搜索函数&#xff0c;它接收字符串作为参数&a…

uniapp在Windows系统上打包IOS

获取UDID 使用苹果手机自带Safari浏览器可获取UDID &#xff1a;https://www.pgyer.com/udid 苹果开发者官网:https://developer.apple.com/ 生成开发证书 安装OpenSSL并配置环境变量&#xff1a;http://slproweb.com/products/Win32OpenSSL.html 管理员打开命令行 where …

12.29最小生成数K算法复习(注意输入输出格式),校园最短路径(通过PRE实现路径输出,以及输入输出格式注意)

7-2 最小生成树-kruskal算法 分数 15 const int maxn 1000; struct edge {int u, v, w; }e[maxn]; int n, m, f[30]; bool cmp(edge a, edge b) {return a.w < b.w; } int find(int x) {if (f[x] x) {return x;}else {f[x] find(f[x]);return f[x];} } //int arr[100…

vue脚手架安装

1、安装&#xff1a; npm i vue/cli -g(-g全局安装,全名global) vue --version 查看版本号 2、使用 vue create 项目名称 3、安装选择项 最后一个选N

【Redis-03】Redis数据结构与对象原理 -下篇

承接上篇【Redis-02】Redis数据结构与对象原理 -上篇 8. type-字符串string 8.1 字符串的三种encoding编码&#xff08;int embstr raw&#xff09; 如果保存的是整型&#xff0c;并且可以用long类型标识&#xff08;-9223372036854775808到9223372036854775807&#xff09…

【热学】欧阳欣院士北京大学

笔记正在逐渐完善Ing~博主主页还有其他上万字精品笔记欢迎自取 ​编辑P1第1讲 绪论 33:01 关于热学的基本概念和原理的讲解。热学是一门基础科学&#xff0c;它涉及到热运动和热力学的规律。热运动是指物体内部粒子的无序运动&#xff0c;热力学是研究热运动的宏观规律。视频介…

IO进程线程 day1 IO基础+标准IO

1、使用fgets统计一个文件的行号 #include <stdio.h> #include<string.h> #include<stdlib.h> int main(int argc, const char *argv[]) {FILE *fpNULL;if((fpfopen("1.c","r"))NULL){return -1;}int count0;char buf;while(buf!EOF){b…

C++多态性——(1)初识多态

归纳编程学习的感悟&#xff0c; 记录奋斗路上的点滴&#xff0c; 希望能帮到一样刻苦的你&#xff01; 如有不足欢迎指正&#xff01; 共同学习交流&#xff01; &#x1f30e;欢迎各位→点赞 &#x1f44d; 收藏⭐ 留言​&#x1f4dd; 苦难和幸福一样&#xff0c;都是生命盛…

写代码易错点整理

写代码易错点整理 变量重复声明引用的swap使用push_back更好用背包 变量重复声明 会导致越界错误&#xff0c;结果错误等。调试时会发现某个值突然很大&#xff0c;有可能是重复声明导致的。 引用的swap使用 比如一个函数中 bool func(vector<vector<int>>&…

openFeign调用接口时传递表单参数、Json参数、HttpServletRequest对象

目录 一、控制器二、Feign客户端 openFeign调用接口时传递Json参数以及httpservletrequest对象 一、控制器 RestController RequestMapping("test") public class TestController {/*** 用来测试表单参数传递&#xff1a;单个参数*/PostMapping(value "/formD…

modelsim安装使用

目录 modelsim 简介 modelsim 简介 ModelSim 是三大仿真器公司之一mentor的产品&#xff0c;他可以模拟行为、RTL 和门级代码 - 通过独立于平台的编译提高设计质量和调试效率。单内核模拟器技术可在一种设计中透明地混合 VHDL 和 Verilog&#xff0c;常用在fpga 的仿真中。 #…

PAT乙级1045 快速排序

著名的快速排序算法里有一个经典的划分过程&#xff1a;我们通常采用某种方法取一个元素作为主元&#xff0c;通过交换&#xff0c;把比主元小的元素放到它的左边&#xff0c;比主元大的元素放到它的右边。 给定划分后的 N 个互不相同的正整数的排列&#xff0c;请问有多少个元…

Pointnet++环境配置(Windows11和ubuntu)及训练教程

本文使用的是Pytorch版本的Pointnet代码&#xff0c;主要包含完整的环境配置及训练过程&#xff0c;包括在训练时遇到的坑。 目录 1.Windows11环境配置 2.Ubuntu环境配置 3.训练教程 3.1分类&#xff08;Classification&#xff09;训练 3.2零件分割&#xff08;Part Segme…

leetcode中shell题解

常见的shell awk用法 # grades.txt 如下&#xff1a;Alice 85 Bob 92 Charlie 78 Alice 90 Bob 88# awk程序 {name $1score $2sum[name] scorecount[name] }END {for (name in sum) {avg sum[name] / count[name]printf "学生 %s 的平均分是 %.2f\n", name, av…

中科亿海微UART协议

引言 在现代数字系统设计中&#xff0c;通信是一个至关重要的方面。而UART&#xff08;通用异步接收器/发送器&#xff09;协议作为一种常见的串行通信协议&#xff0c;被广泛应用于各种数字系统中。FPGA&#xff08;现场可编程门阵列&#xff09;作为一种灵活可编程的硬件平台…