Android提供的LruCache类简介(1)
-
*
If your cached values hold resources that need to be explicitly released,
-
* override {@link #entryRemoved}.
-
* 如果你cache的某个值需要明确释放,重写entryRemoved()
-
*
If a cache miss should be computed on demand for the corresponding keys,
-
* override {@link #create}. This simplifies the calling code, allowing it to
-
* assume a value will always be returned, even when there’s a cache miss.
-
* 如果key相对应的item丢掉啦,重写create().这简化了调用代码,即使丢失了也总会返回。
-
*
By default, the cache size is measured in the number of entries. Override
-
* {@link #sizeOf} to size the cache in different units. For example, this cache
-
* is limited to 4MiB of bitmaps: 默认cache大小是测量的item的数量,重写sizeof计算不同item的
-
* 大小。
-
*
{@code
-
* int cacheSize = 4 * 1024 * 1024; // 4MiB
-
* LruCache<String, Bitmap> bitmapCache = new LruCache<String, Bitmap>(cacheSize) {
-
* protected int sizeOf(String key, Bitmap value) {
-
* return value.getByteCount();
-
* }
-
* }}
-
*
-
*
This class is thread-safe. Perform multiple cache operations atomically by
-
* synchronizing on the cache:
{@code
-
* synchronized (cache) {
-
* if (cache.get(key) == null) {
-
* cache.put(key, value);
-
* }
-
* }}
-
*
-
*
This class does not allow null to be used as a key or value. A return
-
* value of null from {@link #get}, {@link #put} or {@link #remove} is
-
* unambiguous: the key was not in the cache.
-
* 不允许key或者value为null
-
* 当get(),put(),remove()返回值为null时,key相应的项不在cache中
-
*/
-
public class LruCache<K, V> {
-
private final LinkedHashMap<K, V> map;
-
/** Size of this cache in units. Not necessarily the number of elements. */
-
private int size; //已经存储的大小
-
private int maxSize; //规定的最大存储空间
-
private int putCount; //put的次数
-
private int createCount; //create的次数
-
private int evictionCount; //回收的次数
-
private int hitCount; //命中的次数
-
private int missCount; //丢失的次数
-
/**
-
* @param maxSize for caches that do not override {@link #sizeOf}, this is
-
* the maximum number of entries in the cache. For all other caches,
-
* this is the maximum sum of the sizes of the entries in this cache.
-
*/
-
public LruCache(int maxSize) {
-
if (maxSize <= 0) {
-
throw new IllegalArgumentException(“maxSize <= 0”);
-
}
-
this.maxSize = maxSize;
-
this.map = new LinkedHashMap<K, V>(0, 0.75f, true);
-
}
-
/**
-
* Returns the value for {@code key} if it exists in the cache or can be
-
* created by {@code #create}. If a value was returned, it is moved to the
-
* head of the queue. This returns null if a value is not cached and cannot
-
* be created. 通过key返回相应的item,或者创建返回相应的item。相应的item会移动到队列的头部,
-
* 如果item的value没有被cache或者不能被创建,则返回null。
-
*/
-
public final V get(K key) {
-
if (key == null) {
-
throw new NullPointerException(“key == null”);
-
}
-
V mapValue;
-
synchronized (this) {
-
mapValue = map.get(key);
-
if (mapValue != null) {
-
hitCount++; //命中
-
return mapValue;
-
}
-
missCount++; //丢失
-
}
-
/*
-
* Attempt to create a value. This may take a long time, and the map
-
* may be different when create() returns. If a conflicting value was
-
* added to the map while create() was working, we leave that value in
-
* the map and release the created value.
-
* 如果丢失了就试图创建一个item
-
*/
-
V createdValue = create(key);
-
if (createdValue == null) {
-
return null;
-
}
-
synchronized (this) {
-
createCount++;//创建++
-
mapValue = map.put(key, createdValue);
-
if (mapValue != null) {
-
// There was a conflict so undo that last put
-
//如果前面存在oldValue,那么撤销put()
-
map.put(key, mapValue);
-
} else {
-
size += safeSizeOf(key, createdValue);
-
}
-
}
-
if (mapValue != null) {
-
entryRemoved(false, key, createdValue, mapValue);
-
return mapValue;
-
} else {
-
trimToSize(maxSize);
-
return createdValue;
-
}
-
}
-
/**
-
* Caches {@code value} for {@code key}. The value is moved to the head of
-
* the queue.
-
*
-
* @return the previous value mapped by {@code key}.
-
*/
-
public final V put(K key, V value) {
-
if (key == null || value == null) {
-
throw new NullPointerException(“key == null || value == null”);
-
}
-
V previous;
-
synchronized (this) {
-
putCount++;
-
size += safeSizeOf(key, value);
-
previous = map.put(key, value);
-
if (previous != null) { //返回的先前的value值
-
size -= safeSizeOf(key, previous);
-
}
-
}
-
if (previous != null) {
-
entryRemoved(false, key, previous, value);
-
}
-
trimToSize(maxSize);
-
return previous;
-
}
-
/**
-
* @param maxSize the maximum size of the cache before returning. May be -1
-
* to evict even 0-sized elements.
-
* 清空cache空间
-
*/
-
private void trimToSize(int maxSize) {
-
while (true) {
-
K key;
-
V value;
-
synchronized (this) {
-
if (size < 0 || (map.isEmpty() && size != 0)) {
-
throw new IllegalStateException(getClass().getName()
-
+ “.sizeOf() is reporting inconsistent results!”);
-
}
-
if (size <= maxSize) {
-
break;
-
}
-
Map.Entry<K, V> toEvict = map.eldest();
-
if (toEvict == null) {
-
break;
-
}
-
key = toEvict.getKey();
-
value = toEvict.getValue();
-
map.remove(key);
-
size -= safeSizeOf(key, value);
-
evictionCount++;
-
}
-
entryRemoved(true, key, value, null);
-
}
-
}
-
/**
-
* Removes the entry for {@code key} if it exists.
-
* 删除key相应的cache项,返回相应的value
-
* @return the previous value mapped by {@code key}.
-
*/
-
public final V remove(K key) {
-
if (key == null) {
-
throw new NullPointerException(“key == null”);
-
}
-
V previous;
-
synchronized (this) {
-
previous = map.remove(key);
-
if (previous != null) {
-
size -= safeSizeOf(key, previous);
-
}
-
}
-
if (previous != null) {
-
entryRemoved(false, key, previous, null);
-
}
-
return previous;
-
}
-
/**
-
* Called for entries that have been evicted or removed. This method is
-
* invoked when a value is evicted to make space, removed by a call to
-
* {@link #remove}, or replaced by a call to {@link #put}. The default
-
* implementation does nothing.
-
* 当item被回收或者删掉时调用。改方法当value被回收释放存储空间时被remove调用,
-
* 或者替换item值时put调用,默认
实现什么都没做。 -
*
The method is called without synchronization: other threads may
-
* access the cache while this method is executing.
-
*
-
* @param evicted true if the entry is being removed to make space, false
-
* if the removal was caused by a {@link #put} or {@link #remove}.
-
* true—为释放空间被删除;false—put或remove导致
-
* @param newValue the new value for {@code key}, if it exists. If non-null,
-
* this removal was caused by a {@link #put}. Otherwise it was caused by
-
* an eviction or a {@link #remove}.
-
*/
-
protected void entryRemoved(boolean evicted, K key, V oldValue, V newValue) {}
-
/**
-
* Called after a cache miss to compute a value for the corresponding key.
-
* Returns the computed value or null if no value can be computed. The
-
* default implementation returns null.
-
* 当某Item丢失时会调用到,返回计算的相应的value或者null
-
*
The method is called without synchronization: other threads may
-
* access the cache while this method is executing.
-
*
-
*
If a value for {@code key} exists in the cache when this method
-
* returns, the created value will be released with {@link #entryRemoved}
-
* and discarded. This can occur when multiple threads request the same key
-
* at the same time (causing multiple values to be created), or when one
-
* thread calls {@link #put} while another is creating a value for the same
-
* key.
-
*/
-
protected V create(K key) {
-
return null;
-
}
-
private int safeSizeOf(K key, V value) {
-
int result = sizeOf(key, value);
-
if (result < 0) {
-
throw new IllegalStateException("Negative size: " + key + “=” + value);
-
}
-
return result;
-
}
-
/**
-
* Returns the size of the entry for {@code key} and {@code value} in
-
* user-defined units. The default implementation returns 1 so that size
-
* is the number of entries and max size is the maximum number of entries.
-
* 返回用户定义的item的大小,默认返回1代表item的数量,最大size就是最大item值
-
*
An entry’s size must not change while it is in the cache.
-
*/
-
protected int sizeOf(K key, V value) {
-
return 1;
-
}
-
/**
-
* Clear the cache, calling {@link #entryRemoved} on each removed entry.
最后
小编这些年深知大多数初中级Android工程师,想要提升自己,往往是自己摸索成长,自己不成体系的自学效果低效漫长且无助。
因此我收集整理了一份《2024年Android移动开发全套学习资料》,初衷也很简单,就是希望能够帮助到想自学提升又不知道该从何学起的朋友。
一个人可以走的很快,但一群人才能走的更远!不论你是正从事IT行业的老鸟或是对IT行业感兴趣的新人
都欢迎加入我们的的圈子(技术交流、学习资源、职场吐槽、大厂内推、面试辅导),让我们一起学习成长!
资料⬅专栏获取
0. */
-
protected int sizeOf(K key, V value) {
-
return 1;
-
}
-
/**
-
* Clear the cache, calling {@link #entryRemoved} on each removed entry.
最后
小编这些年深知大多数初中级Android工程师,想要提升自己,往往是自己摸索成长,自己不成体系的自学效果低效漫长且无助。
因此我收集整理了一份《2024年Android移动开发全套学习资料》,初衷也很简单,就是希望能够帮助到想自学提升又不知道该从何学起的朋友。
[外链图片转存中…(img-7R2o989d-1718991877996)]
一个人可以走的很快,但一群人才能走的更远!不论你是正从事IT行业的老鸟或是对IT行业感兴趣的新人
都欢迎加入我们的的圈子(技术交流、学习资源、职场吐槽、大厂内推、面试辅导),让我们一起学习成长!
资料⬅专栏获取
相关文章:
![](https://img-home.csdnimg.cn/images/20230724024159.png?origin_url=https%3A%2F%2Fimg2.imgtp.com%2F2024%2F05%2F27%2FecnWy72K.jpg&pos_id=img-7R2o989d-1718991877996)
Android提供的LruCache类简介(1)
* If your cached values hold resources that need to be explicitly released, * override {link #entryRemoved}. * 如果你cache的某个值需要明确释放,重写entryRemoved() * If a cache miss should be computed on demand for the corresponding keys, * ov…...
![](https://img-blog.csdnimg.cn/img_convert/a08571f736dc04b5bef51cd09e8e3a0a.gif#pic_center)
【分布式系列】分布式锁timeout了怎么办?
💝💝💝欢迎来到我的博客,很高兴能够在这里和您见面!希望您在这里可以感受到一份轻松愉快的氛围,不仅可以获得有趣的内容和知识,也可以畅所欲言、分享您的想法和见解。 推荐:kwan 的首页,持续学…...
![](https://www.ngui.cc/images/no-images.jpg)
System.getProperty()方法总结
System.getProperty()方法总结 大家好,我是免费搭建查券返利机器人省钱赚佣金就用微赚淘客系统3.0的小编,也是冬天不穿秋裤,天冷也要风度的程序猿!System.getProperty()方法是Java中用于获取系统属性的方法之一。它允许我们访问J…...
![](https://img-blog.csdnimg.cn/direct/d7b0ecab0c5b4ae79cbc57783bdbbaf5.png)
大型语言模型在AMD GPU上的推理优化
Large language model inference optimizations on AMD GPUs — ROCm Blogs 大型语言模型(LLMs)已经改变了自然语言处理和理解,促进了在多个领域中的众多人工智能应用。LLMs在包括AI助手、聊天机器人、编程、游戏、学习、搜索和推荐系统在内的…...
![](https://img-blog.csdnimg.cn/direct/ad11123a13d94985a63b9be75f0a328e.png)
Apple - Core Foundation Design Concepts
本文翻译整理自:Core Foundation Design Concepts(更新日期:2013-12-16 https://developer.apple.com/library/archive/documentation/CoreFoundation/Conceptual/CFDesignConcepts/CFDesignConcepts.html#//apple_ref/doc/uid/10000122i 文章…...
![](https://www.ngui.cc/images/no-images.jpg)
lua中的lfs库介绍
lua中的lfs库介绍 说明常用函数解析lfs.attributeslfs.chdirlfs.currentdirlfs.dirlfs.mkdirlfs.rmdirlfs.locklfs.touchlfs.linklfs.setmodelfs.symlinkattributes 说明 lfs是lua中的一个文件系统库,提供了更多高级的文件和目录操作功能,使得lua可以更方…...
![](https://www.ngui.cc/images/no-images.jpg)
PyCharm 快捷键积累
1、快速格式化:Ctrl Alt L Ctrl Alt L 快捷键在 PyCharm 中是用于格式化代码的,它不仅仅适用于 HTML 代码,而是适用于多种编程和标记语言。...
![](https://img-blog.csdnimg.cn/direct/1364ead010e7498c893ddedb8419b3c8.png)
C++进阶之AVL树
个人主页:点我进入主页 专栏分类:C语言初阶 C语言进阶 数据结构初阶 Linux C初阶 C进阶 算法 欢迎大家点赞,评论,收藏。 一起努力,一起奔赴大厂 目录 一.前言 二.插入 三.旋转 3.1右旋 …...
![](https://www.ngui.cc/images/no-images.jpg)
sizeof 和 strlen 比较
sizeof 和 strlen 在 C 语言中都是用于获取某种“大小”的,但它们之间有着显著的区别。 sizeof sizeof 是一个运算符,用于计算数据类型或对象在内存中的大小(以字节为单位)。它可以在编译时确定结果,因为它计算的是类…...
![](https://img-blog.csdnimg.cn/direct/e07711ff5a17448c8e2518a38ef33677.png#pic_center)
音视频开发—FFmpeg 打开摄像头进行RTMP推流
实验平台:Ubuntu20.04 摄像头:普通USB摄像头,输出格式为YUV422 1.配置RTMP服务器推流平台 使用Nginx 配置1935端口即可,贴上教程地址 ubuntu20.04搭建Nginxrtmp服务器) 2.配置FFmpeg开发环境 过程较为简单,这里不…...
![](https://img-blog.csdnimg.cn/direct/618336344a324d39b6501b3973f5fc4b.png)
D触发器(D Flip-Flop)与D锁存器(D Latch)
1 基础概念 我们先来简单回顾一下D触发器(D flip-flop)和D锁存器(D latch)的概念,以及它们在数字电路中的作用。 1.1 D触发器(D Flip-Flop) D触发器是一种数字存储器件,它在时钟信号…...
![](https://img-blog.csdnimg.cn/img_convert/e6bbb7110cb2431fdfec0c410e41cdc4.png)
JDK19特性
JDK19特性 一、JAVA19概述 JDK 19 2022 年 9 月 20 日正式发布以供生产使用,非长期支持版本。不过,JDK 19 中有一些比较重要的新特性值得关注。 JDK 19 只有 7 个新特性: JEP 405: Record Patterns(记录模式)[1] (预览)JEP 422: Linux/RISC-V Port[2]JEP 424: Foreign …...
![](https://www.ngui.cc/images/no-images.jpg)
sql语句中常用的函数有那些
1、字符串函数 CONCAT(string1, string2, ...): 连接两个或多个字符串。 UPPER(string): 将字符串转换为大写。 LOWER(string): 将字符串转换为小写。 TRIM(string): 去除字符串两端的空格。 LENGTH(string): 返回字符串的长度。 SUBSTRING(string, start, length): 从字符串中…...
![](https://www.ngui.cc/images/no-images.jpg)
odoo17 小变更3 Warning、 “attrs “和 “states “不再用
odoo17 小变更 1、Warning from odoo.exceptions import ValidationError,Warning ImportError: cannot import name Warning from odoo.exceptions (D:\od172406\odoo\exceptions.py) 2、自 17.0 版起,不再使用 "attrs "和 "states "属性。 …...
![](https://img-blog.csdnimg.cn/direct/7bf6f89b86b044b1aa8b801d519ab4a2.gif#pic_center)
Unity3d 游戏暂停(timeScale=0)引起的deltaTime关联的系列问题解决
问题描述 游戏暂停的功能是通过设置timeScale0实现的,不过在暂停游戏的时候,需要对角色进行预览和设置,为了实现这个功能,是通过鼠标控制相机的操作,为了使相机的操作丝滑,获取鼠标操作系数乘以Time.delta…...
![](https://img-blog.csdnimg.cn/direct/1a6438e9ebd249f0a07362050688007c.png)
服务端代码编写中MySql大小写在Java中报错问题解决
报错信息: 原因:MySql和Java变量大小写产生的冲突。 经过查阅各个博客等,得出浅显结论(不一定对):MySql大小写不敏感,Java大小写敏感,当Javabean转为MySql数据库表时,Ja…...
![](https://img-blog.csdnimg.cn/img_convert/13fd3f8cd570b9273e80d8e097729697.png)
CRMEB 多店商品详情页装修说明
一、功能介绍 商家可调整商品详情各板块样式,可根据不同的需求开启或关闭单独的板块 二、操作流程 装修 > 商品详情 三、功能说明 1、商品信息 可控制商品详情页面商品信息的显示与隐藏 2、会员信息,排行榜 控制商品详情页面会员信息及排行榜的…...
![](https://img-blog.csdnimg.cn/direct/478c34bc25044146b83472c15e03565f.png)
Redis-使用 jedis 操作数据
文章目录 1、Jedis简介2、环境准备3、创建maven普通项目,导入如下依赖4、测试JAVA程序和Redis之间的通信 1、Jedis简介 "Jedis" 通常是作为 "Java Redis" 的缩写或简称来理解的。Java Embedded Data Structures Interface 表示 Java嵌入式数据结构接口 2、…...
![](https://www.ngui.cc/images/no-images.jpg)
简说PIP换源
概述 PIP(Python Package Installer)是 Python 的包管理工具,用于安装和管理 Python 包。默认情况下,PIP 从 Python 官方的包仓库(即 PyPI)下载和安装包。然而,由于网络原因,访问官…...
![](https://img-blog.csdnimg.cn/direct/601a534271964e33ad9aa71ef7e73581.png)
django学习入门系列之第三点《CSS基础样式介绍2》
文章目录 文字对齐方式外边距内边距往期回顾 文字对齐方式 水平对齐方式 text-align: center;垂直对齐方式 /* 注意,这个只能是一行来居中 */ line-height:/*长度*/ ;样例 <!DOCTYPE html> <html lang"en"> <head><meta charset…...
![](https://img-blog.csdnimg.cn/direct/e90cd99b1e7b4867857e87b567274b0c.png#pic_center)
分布式光纤测温DTS在工程现场中稳定性与可靠性如何?
20年前,分布式光纤测温(Distributed Temperature Sensing,DTS)技术的发展尚不成熟,设备成本高昂,其稳定性与可靠性也存在一定问题。然而,经过二十多年的不断发展与创新,DTS技术在工程现场应用中取得了显著进…...
![](https://www.ngui.cc/images/no-images.jpg)
PHP多线程模块parallel的编译安装和多线程编程演示
从PHP7开始,多线程编原有的pthreads已经不在维护,而是使用parallel替代。 由于是新的模块,样例代码很少,这里总结一个简单的代码和详细的备注供大家参考。 编译和安装 parallel需要启用ZTS(Zend Thread Safety&…...
![](https://www.ngui.cc/images/no-images.jpg)
记录grid布局属性
grid布局 分为容器和项目元素 容器属性 #container{display:grid;grid-template-columns:100px 100px 100px;/* 1fr 表示比例为占1份 */grid-template-columns:1fr 100px 1fr;/*100px为1列,自动填充,容器宽度不足则换行*/grid-template-columns:repeat(auto-fill,100px);/* …...
![](https://img-blog.csdnimg.cn/direct/d38c1e644f384e22adf522b971abeefe.png#pic_center)
12.爬虫---PyMysql安装与使用
12.PyMysql安装与使用 1.安装 PyMySQL2.使用PyMySQL2.1创建数据表2.2连接数据库2.3增加数据2.4修改数据2.5查询数据2.6删除数据2.7关闭连接 3.总结 MySQL 安装可以看这篇文章MySql 安装与使用(非常详细) 1.安装 PyMySQL PyMySQL是Python中用于连接MySQL…...
![](https://img-blog.csdnimg.cn/direct/5d09350d03454ad7a1a851bdcb31d392.png)
VS2022遇到的两个问题
问题一:找不到定义的头文件 别的博主说是:在属性页里面进行改写,改成是,我试过之后并不行; 解决思路:但其实在右边视图里面找到你自己定义的头文件加到你运行文件中就行;因为程序就只有一个入口…...
![](https://img-blog.csdnimg.cn/direct/3deca5334eca4871aecce8beff21bcc2.png)
【Android14 ShellTransitions】(六)SyncGroup完成
这一节的内容在WMCore中,回想我们的场景,是在Launcher启动某一个App,那么参与动画的就是该App对应Task(OPEN),以及Launcher App对应的Task(TO_BACK)。在确定了动画的参与者后&#x…...
![](https://img-blog.csdnimg.cn/direct/ddc4532122ea4c86beab62ea2dc5b501.jpeg#pic_center)
技术管理转型之战:决策之道-管理中的智慧与策略
文章目录 引言一、决策的重要性二、常见的决策方式1. 理性决策(Rational Decision Making)2. 有限理性(Bounded Rationality)3. 直觉决策(Intuitive Decision Making)4. 循证管理(Evidence-Base…...
![](https://img-blog.csdnimg.cn/direct/20a0213880ed49939c01a9890e559f38.png)
Shell脚本:条件语句(if、case)
目录 硬编码 硬编码的缺点 条件判断 $? 命令行语句 判断指定目录是否存在 判断指定文件是否存在 判断指定对象是否存在 表达式形式语句 判断对象是否存在 判断对象是否有权限 与、或、非 运算 与运算 或运算 非运算 比较大小 判断磁盘利用率实验步骤 字符串…...
![](https://www.ngui.cc/images/no-images.jpg)
在Linux上为Windows目标配置Qt交叉编译
问题描述 我想使用Linux x86_64主机为Windows x86_64目标交叉编译Qt库(最终也包括我的应用程序)。我觉得自己已经接近成功了,但可能对整个过程有一些基本的误解。 我从在我的Fedora机器上安装所有mingw包开始,并修改了win32-g的…...
![](https://img-blog.csdnimg.cn/direct/c6f94d8a36d4443cac4b495ee9f741de.png)
Introduction to linear optimization 第 2 章课后题答案 11-15
线性规划导论 Introduction to linear optimization (Dimitris Bertsimas and John N. Tsitsiklis, Athena Scientific, 1997), 这本书的课后题答案我整理成了一个 Jupyter book,发布在网址: https://robinchen121.github.io/manual-introdu…...
![](http://blog.51cto.com/attachment/201308/182926162.png)
做西服的网站/免费行情软件网站下载大全
Vsphere4.1 vcnter服务器安装 1.系统Server 2008 64位、激活、加域。更改计算机名。 安装: 1.安装数据客户端,64位。 2.放入光盘,客户端路径及客户端安装程序见下图: 3.安装过程一路默认就行。 4..点击开始--->所有程序--->…...
![](/images/no-images.jpg)
太原网站建设 thinkphp3.2/拉新工作室在哪里接项目
django-admin 页面标题、页面头信息、模块显示中文 系统设置汉化 在settings.py中修改: #LANGUAGE_CODE en-us LANGUAGE_CODE zh-Hans #TIME_ZONE UTC TIME_ZONE Asia/Shanghai页面的菜单和标题都会显示中文 页面标题自定义 页面标题显示Django 站点管理员…...
![](https://img-blog.csdnimg.cn/20201231082214508.png?x-oss-process=image/watermark,type_ZmFuZ3poZW5naGVpdGk,shadow_10,text_aHR0cHM6Ly9ibG9nLmNzZG4ubmV0L20wXzQ2NjUzNDM3,size_16,color_FFFFFF,t_70)
网站建设最贵服务商/bt兔子磁力搜索引擎最新版
参考链接: numpy.floor 函数功能: 对输入的多维数组逐元素进行向下取整.实验代码展示: Python 3.7.4 (tags/v3.7.4:e09359112e, Jul 8 2019, 20:34:20) [MSC v.1916 64 bit (AMD64)] on win32 Type "help", "copyright", "credits" or "…...
![](/images/no-images.jpg)
linux wordpress 中文/优化疫情防控措施
研究了四天linux内核移植和文件系统制作,总算移植成功,在这里和大家分享一下,我是一个初学者,有不对的地方,请大家指点。参考网友的资料:http://blog.chinaunix.net/u3/104564/sho ... 91186.htmlhttp://ww…...
![](https://img-blog.csdnimg.cn/2019011710062482.png?x-oss-process=image/watermark,type_ZmFuZ3poZW5naGVpdGk,shadow_10,text_aHR0cHM6Ly9ibG9nLmNzZG4ubmV0L3FxXzQxODM5MjIy,size_16,color_FFFFFF,t_70)
柳州网站制作/引流推广方案
转自:https://blog.csdn.net/qq_41839222/article/details/86503113 前言 等了一个月的realsense d435i终于发货了! 这款D435i(见下图)在D435的基础上,另外搭载了博世的惯性测量单元(IMU)&…...
![](/images/no-images.jpg)
开发区建设集团网站/使用百度地图导航收费吗
1、 一个".java"源文件中是否可以包括多个类(不是内部类)?有什么限制?、 可以有多个类,但只能有一个public的类,并且public的类名与文件名相同 2、 Java有没有goto? Java中的保留字࿰…...