利用解构来简化Bundle读写

我想所有的Android开发者都接触过类似下面这样的代码:

Intent intent = getIntent();
Bundle bundle = intent.getExtras();
int type = bundle.getInt(KEY_TYPE, 0);
String id = bundle.getString(KEY_ID);
Serializable data = bundle.getSerializable(KEY_DATA);

这是典型的利用Bundle传参的示例,这里只有读取参数,自然有对应的写入参数,因为代码差不多,就省略了。

这段代码几乎就是纯手工代码,每个词法单元都需要手敲1-3个字符,才能敲回车来补全。所以就想尝试利用类似解构的方式来简化这个读写过程。

实现效果

先放一段目前常写的代码做对比:

//定义key的名称
private static final String KEY_TYPE = "type";
private static final String KEY_ID = "id";
private static final String KEY_DATA = "data";//写入Bundle
bundle.putInt(KEY_TYPE, 1);
bundle.putString(KEY_ID, "u_1234");
bundle.putSerializable(KEY_DATA, new Data());//读取Bundle
int type = bundle.getInt(KEY_TYPE, 0);
String id = bundle.getString(KEY_ID);
Serializable data = bundle.getSerializable(KEY_DATA);

修改后:

//定义bundle的传参规范
interface TestContract {void consume(@Key("id") String id, @Key("type") int type, @Key("data") Serializable data);
}//写入Bundle
Bundle bundle = BundleAdapter.build(TestContract.class, test -> test.consume("u_1234", 1, new Data()));//读取Bundle
BundleAdapter.withBundle(bundle, TestContract.class, (id, type, data) -> {/* 处理读到的参数 */});

呃,好像也没有省略多少代码,就是多加了一些参数类型约束。

完整实现(200行不到)

里面有用到Memorizer工具见Java小技巧:创建带缓存的过程

public abstract class BundleAdapter<T> {public static <T> Bundle build(Class<T> clazz, Consumer<T> consumer) {Bundle bundle = new Bundle();T proxyInstance = (T) Proxy.newProxyInstance(clazz.getClassLoader(), new Class[]{clazz}, (proxy, method, args) -> {List<Pair<String, BundleAdapter<?>>> bundleAdapters = BundleAdapter.adapterExtractor.apply(clazz);if (bundleAdapters.size() == args.length) {IntStream.range(0, args.length).forEach(i -> {Pair<String, BundleAdapter<?>> pair = bundleAdapters.get(i);BundleAdapter adapter = pair.second;adapter.write(bundle, pair.first, args[i]);});return null;} else {throw new IllegalStateException("adapter length is not equal to args length:" + bundleAdapters.size() + " - " + args.length);}});consumer.accept(proxyInstance);return bundle;}public static <T> void withBundle(Bundle bundle, Class<T> clazz, T t) {List<Pair<String, BundleAdapter<?>>> list = BundleAdapter.adapterExtractor.apply(clazz);Method[] methods = clazz.getMethods();if (methods.length == 1) {Object[] args = list.stream().map(pair -> pair.second.read(bundle, pair.first)).toArray();try {methods[0].invoke(t, args);} catch (IllegalAccessException | InvocationTargetException e) {throw new RuntimeException(e);}} else {throw new IllegalStateException("methods length is not 1, current is " + methods.length);}}static final Function<Class<?>, List<Pair<String, BundleAdapter<?>>>> adapterExtractor = Memorizer.memorize(clazz -> {Method[] methods = clazz.getMethods();if (methods.length == 1) {Method desMethod = methods[0];Class<?> returnType = desMethod.getReturnType();if (returnType == void.class) {Annotation[][] parameterAnnotations = desMethod.getParameterAnnotations();Type[] parameterTypes = desMethod.getGenericParameterTypes();if (parameterTypes.length == parameterAnnotations.length) {List<Pair<String, BundleAdapter<?>>> adapterList = new LinkedList<>();for (int i = 0; i < parameterTypes.length; i++) {Type parameterType = parameterTypes[i];Optional<Pair<String, BundleAdapter<?>>> pairOptional = Arrays.stream(parameterAnnotations[i]).filter(annotation -> annotation instanceof Key).map(annotation -> (Key) annotation).findFirst().map(key -> new Pair<>(key.value(), BundleAdapter.adapterBuilder.apply(parameterType)));if (pairOptional.isPresent()) {adapterList.add(pairOptional.get());} else {throw new IllegalStateException("every parameter must contains a Key annotation");}}return adapterList;} else {throw new IllegalStateException("parameters length is not equal to annotations length");}} else {throw new IllegalStateException("return type must be Void, current is " + returnType);}} else {throw new IllegalArgumentException("methods size must be 1, current is " + methods.length);}});private static final Function<Type, BundleAdapter<?>> adapterBuilder = Memorizer.memorize(type -> {if (Integer.class.equals(type) || int.class.equals(type)) {return create(Bundle::getInt, bundle -> bundle::putInt);} else if (Float.class.equals(type) || float.class.equals(type)) {return create(Bundle::getFloat, bundle -> bundle::putFloat);} else if (Long.class.equals(type) || long.class.equals(type)) {return create(Bundle::getLong, bundle -> bundle::putLong);} else if (Boolean.class.equals(type) || boolean.class.equals(type)) {return create(Bundle::getBoolean, bundle -> bundle::putBoolean);} else if (Byte.class.equals(type) || byte.class.equals(type)) {return create(Bundle::getByte, bundle -> bundle::putByte);} else if (String.class.equals(type)) {return create(Bundle::getString, bundle -> bundle::putString);} else if (Short.class.equals(type) || short.class.equals(type)) {return create(Bundle::getShort, bundle -> bundle::putShort);} else if (Character.class.equals(type) || char.class.equals(type)) {return create(Bundle::getChar, bundle -> bundle::putChar);} else if (CharSequence.class.equals(type)) {return create(Bundle::getCharSequence, bundle -> bundle::putCharSequence);} else if (Parcelable.class.equals(type)) {return create((bundle, key) -> (Parcelable) bundle.getParcelable(key), bundle -> bundle::putParcelable);} else if (Serializable.class.equals(type)) {return create(Bundle::getSerializable, bundle -> bundle::putSerializable);} else if (type instanceof GenericArrayType) {Type componentType = ((GenericArrayType) type).getGenericComponentType();if (int.class.equals(componentType)) {return create(Bundle::getIntArray, bundle -> bundle::putIntArray);} else if (float.class.equals(componentType)) {return create(Bundle::getFloatArray, bundle -> bundle::putFloatArray);} else if (long.class.equals(componentType)) {return create(Bundle::getLongArray, bundle -> bundle::putLongArray);} else if (byte.class.equals(componentType)) {return create(Bundle::getByteArray, bundle -> bundle::putByteArray);} else if (short.class.equals(componentType)) {return create(Bundle::getShortArray, bundle -> bundle::putShortArray);} else if (char.class.equals(componentType)) {return create(Bundle::getCharArray, bundle -> bundle::putCharArray);} else if (CharSequence.class.equals(componentType)) {return create(Bundle::getCharSequenceArray, bundle -> bundle::putCharSequenceArray);} else if (String.class.equals(componentType)) {return create(Bundle::getStringArray, bundle -> bundle::putStringArray);} else if (Parcelable.class.equals(componentType)) {return create(Bundle::getParcelableArray, bundle -> bundle::putParcelableArray);} else if (boolean.class.equals(componentType)) {return create(Bundle::getBooleanArray, bundle -> bundle::putBooleanArray);} else {throw new IllegalArgumentException("unsupported array type:" + componentType);}} else if (type instanceof ParameterizedType) {Type rawType = ((ParameterizedType) type).getRawType();Type[] typeArguments = ((ParameterizedType) type).getActualTypeArguments();if (ArrayList.class.equals(rawType)) {if (typeArguments.length == 1) {Type typeArgument = typeArguments[0];if (String.class.equals(typeArgument)) {return create(Bundle::getStringArrayList, bundle -> bundle::putStringArrayList);} else if (Integer.class.equals(typeArgument)) {return create(Bundle::getIntegerArrayList, bundle -> bundle::putIntegerArrayList);} else if (CharSequence.class.equals(typeArgument)) {return create(Bundle::getCharSequenceArrayList, bundle -> bundle::putCharSequenceArrayList);} else if (Parcelable.class.equals(typeArgument)) {return create(Bundle::getParcelableArrayList, bundle -> bundle::putParcelableArrayList);} else {throw new IllegalStateException("unsupported typeArgument:" + typeArgument);}} else {throw new IllegalStateException("typeArguments length must be 1, current is " + typeArguments.length);}} else {throw new IllegalStateException("ParameterizedType must be ArrayList");}} else {throw new IllegalArgumentException("unsupported type:" + type);}});private static <T> BundleAdapter<T> create(BiFunction<Bundle, String, T> reader, Function<Bundle, BiConsumer<String, T>> writer) {return new BundleAdapter<T>() {@OverrideT read(Bundle bundle, String key) {return reader.apply(bundle, key);}@Overridevoid write(Bundle bundle, String key, T value) {writer.apply(bundle).accept(key, value);}};}abstract T read(Bundle bundle, String key);abstract void write(Bundle bundle, String key, T value);
}

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

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

相关文章

深入解析Zookeeper:核心特性与节点类型全景剖析

摘要: Zookeeper&#xff0c;作为一个关键的分布式应用协调框架&#xff0c;在多节点协作和数据同步方面发挥着不可或缺的作用。本文深入剖析了Zookeeper的核心概念&#xff0c;包括其基于内存的文件系统数据结构和高效的监听通知机制。详细介绍了Zookeeper的五种节点类型&…

STM32迪文屏图标控件保姆级教程

要主图的去末尾&#xff0c;末尾福利图在等着你~~~ 文章目录 前言 开发环境 二、使用步骤 1.添加图标控件 2.设置图标属性 3.图标库ICL文件生成 4.单片机程序编写 容易踩得坑 一、前言 本篇文章主要介绍了在DGBUS平台上使用图标变量的步骤。首先需要在DGBUS中添加一个图标变量控…

前端HTML

HTML vs快捷键title 增加SEO优化标题标签 h1~h6标题标签位置摆放段落p、换行br、水平线hr水平线设置图片相对路径超链接超链接属性文本标签有序列表type 属性有序列表嵌套有序列表无序列表type属性无序列表嵌套表格表格属性单元格合并属性表单表单元素value 替换文本文本框密码…

linux(centos7)mysql8.0主从集群搭建(两台机器)

docker安装:&#xff08;转载&#xff09;centos7安装Docker详细步骤&#xff08;无坑版教程&#xff09;-CSDN博客 环境信息 主数据库服务器&#xff1a;192.168.1.10 从数据库服务器&#xff1a;192.168.1.11 1. mysql8.0镜像下载 docker pull mysql:8.0.23 2.创建docke…

瑞萨单片机学习:RA4M3单片机 BOOTloader升级 跳转到主程序 主程序无法执行问题

背景&#xff1a; 使用瑞萨的RA4M3单片机编写BOOT引导程序进行测试&#xff0c;在BOOT程序跳转到主程序时&#xff0c;主程序无法执行。本文介绍了问题的定位和解决方法。 运行开发环境介绍 硬件环境 RA4M3 官方开发板 J-LINK V11 开发板自带 软件开发环境 e2 studio VSCODE…

oracle怎么导入dmp文件??????

目录 oracle怎么导入dmp文件&#xff1f;&#xff1f;&#xff1f;&#xff1f;&#xff1f;&#xff1f; 先看&#xff1a; 方法一&#xff1a;【推荐】 winR输入 输入&#xff1a; 检验&#xff1a; 导入成功&#xff01; 方法二&#xff1a; 直接在 PLSQL Developer…

插入排序:直接插入排序 希尔排序

插入排序&#xff1a; 假设红竖线前的元素全部排好序&#xff0c;红线后面的数即为要插入的数据&#xff0c;红线依次往后移&#xff0c;假设end为排好序的最后一个数字&#xff0c;end1即为要插入的数字&#xff0c;一次插入时&#xff0c;end与要插入的数字依次比较&#xf…

Axure元件库的使用

1.基本元件库 1.1Axure的画布范围 Axure是一个绘制项目原型图的软件&#xff0c;它里面的基本原件有&#xff1a; 1.1元件的呈现范围 首先我们要了解基本元件的作用范围在哪里&#xff1f; 浏览效果&#xff1a; 可以看出当我们的基本元件放在画布区域内是可以完全呈现出来…

从0创建并部署一个网页到服务器

创建一个页面 1 下载node.js 下载VScode 2 在Windows下找一个路径新建一个文件夹 例如&#xff1a;D:\study_project\PersonalWeb 3 VSCodee中打开文件夹 4 Windows下 管理员身份打开命令提示符&#xff0c;执行npm install -g vue/cli 5 VSCode下打开终端&#xff0c;执…

线程终止,线程的相关方法,线程状态图以及线程的同步机制。

首先我们知道了什么是线程&#xff0c;以及线程的实现方法&#xff0c;接下来我们来了解一下继承Thread类和Runnable接口的区别&#xff0c;其实本质上是没有区别的&#xff0c;因为Thread也实现了Runnable的接口&#xff0c;唯一区别就是使用Runnable接口&#xff0c;可以实现…

关联规则 Apriori算法原理

Apriori算法 算法概述 Apriori算法利用频繁项集生成关联规则。它基于频繁项集的子集也必须是频繁项集的概念频繁项集是支持值大于阈值 (support) 的项集 Apriori算法就是基于一个先验如果某个项集是频繁的&#xff0c;那么它的所有子集也是频繁的 算法流程 输入: 数据集合D…

【笔试强化】Day 4

文章目录 一、单选1.2.3.4.5.6.7. 二、不定项选择1.2.3. 三、编程1. 计算糖果题解&#xff1a;代码&#xff1a; 2. 进制转换题解&#xff1a;代码&#xff1a; 一、单选 1. 正确答案&#xff1a;D队列先进先出 A&#xff1a;栈有关 B&#xff1a;错 C&#xff1a;错 2. 正确…

文章解读与仿真程序复现思路——电网技术EI\CSCD\北大核心《考虑灵活性资源传输精细化建模的配电网优化运行》

这个标题表达的是关于配电网优化运行的一个概念&#xff0c;其中考虑了灵活性资源传输的精细化建模。让我们逐个解读关键词&#xff1a; 考虑灵活性资源传输&#xff1a;这指的是在配电网优化运行中考虑到不同类型的灵活性资源的传输。灵活性资源包括可再生能源、储能系统、柔性…

爬虫工作量由小到大的思维转变---<第十一章 Scrapy之sqlalchemy模版和改造(番外)>

前言: 正常的pymysql当然问题不大,但是我个人还是建议:sqlalchemy! 因为他更能让我们把精力放在表单设计上,而不执着于代码本身了. (-----版权所有。未经作者书面同意&#xff0c;不得转载或用于任何商业用途!----) 正文: 先提供一个基础模版: 表图: 创建表的sql: CREA…

crmeb v5新增一个功能的完整示例记录

首先&#xff0c;需求 工作中的二开需求是这样的&#xff0c;修改首页的装修&#xff0c;并新增回收报价的功能 开始动手 第一步&#xff0c;我们要到后面的管理界面&#xff0c;去装修中修改首面的展示 首页的页面配置好之后&#xff0c;就要在 前端的展示程序中 配置相…

细胞培养之一二三:哺乳动物细胞培养污染问题和解决方案

一、哺乳动物细胞污染是什么[1]&#xff1f; 污染通常是指在细胞培养基中存在不需要的微生物、不需要的哺乳动物细胞和各种生化或化学物质&#xff0c;从而影响所需哺乳动物细胞的生理和生长。由于微生物在包括人体特定部位在内的环境中无处不在&#xff0c;而且它们的繁殖速度…

【专栏目录】

摘要 本专栏是讲解如何改进RT-DETR的专栏。改进方法采用了最新的论文提到的方法。改进的方法包括&#xff1a;增加注意力机制、更换卷积、更换block、更换backbone、更换head、更换优化器等&#xff1b;每篇文章提供了一种到N种改进方法。 评测用的数据集是我自己标注的数据集…

如何使用ycsb工具对mongodb进行性能测试过程

测试环境&#xff1a; linux系统&#xff1a;Centos 7.2 ,版本&#xff1a;Red Hat 4.8.5-44) YCSB简介 ycsb是一款性能测试工具&#xff0c;用Java写的&#xff0c;并且什么都可以压&#xff0c;像是mongodb&#xff0c;redis&#xff0c;mysql&#xff0c;hbase&#xff0c;等…

【记录版】SpringBoot下Filter注册源码解读

SpringBoot TomcatEmbeddedContext Servlet ApplicationFilterChain Filter 背景&#xff1a; 在之前博客中有说明SpringBoot内嵌Web容器后&#xff0c;Filter及Servlet解析与注册流程的变化。将Filter实例封装成FilterRegistrationBean实例并添加到ServletContext后&…

某60内网渗透之frp实战指南2

内网渗透 文章目录 内网渗透frp实战指南2实验目的实验环境实验工具实验原理实验内容frp实战指南2 实验步骤(1)确定基本信息。(2)查看frp工具的基本用法(3)服务端frp的配置(4)客户端frp的配置(5)使用frp服务 frp实战指南2 实验目的 让学员通过该系统的练习主要掌握&#xff1a…