内容简介:这是在文件系统上使用有限空间的缓存类。每个缓存条目都有一个字符串键和固定数量的值。每个键必须匹配正则表达式:缓存数据保存在文件系统的一个目录中。此文件必须排除在缓存之外,缓存必须删除或复写目录里的文件。且不能支持多进程同时操作同一个缓存目录。此缓存可限制保存在文件系统字节的长度。当已保存字节长度超过限制,会在后台线程逐个移除条目,直到满足长度限制为止。但限制也不是严格执行:需删除文件的时候,缓存大小会暂时超过限制。容量限制不包含文件系统的开销和缓存日志文件的大小,所以对空间大小敏感的应用最好设置一个相对保
一、类签名
1.1 特性
这是在文件系统上使用有限空间的缓存类。每个缓存条目都有一个字符串键和固定数量的值。每个键必须匹配正则表达式: [a-z0-9_-]{1,120} 。值都是字节序列,可通过流或文件访问,长度介于0到 Integer.MAX_VALUE 。
public final class DiskLruCache implements Closeable
缓存数据保存在文件系统的一个目录中。此文件必须排除在缓存之外,缓存必须删除或复写目录里的文件。且不能支持多进程同时操作同一个缓存目录。
此缓存可限制保存在文件系统字节的长度。当已保存字节长度超过限制,会在后台线程逐个移除条目,直到满足长度限制为止。但限制也不是严格执行:需删除文件的时候,缓存大小会暂时超过限制。容量限制不包含文件系统的开销和缓存日志文件的大小,所以对空间大小敏感的应用最好设置一个相对保守的阈值。
客户端调用 edit() 方法创建或更新条目的值。一个条目每次只被一个编辑器持有。如果某个值不能编辑则 edit() 方法返回 null 。
条目被创建的时候需要提供所有的值,或者在必要时使用 null 作为占位符。条目被编辑的时候不需要为每个值提供数据,值的内容为之前的内容。
每此调用 edit 方法时必须配对使用 Editor.commit() 或 Editor.abort() 。提交操作是原子性的:每此读取获得的是 提交之前 或 提交之后 完整的值的集合,而不是两个状态的混合值。
客户端调用 get() 读取一个条目的快照。读操作会在 get 方法调用的时候观察值。更新或移除操作不会影响正在进行的读取操作。
此类可容忍少量 I/O 错误。如果文件系统丢失文件,对应的条目会从缓存中删除。假如这个错误发生在缓存写入值的时候,编辑操作会悄无声息地执行失败。调用者需要处理由 IOException 引起的问题。
1.2 日志格式
日志文件命名为”journal”。一个典型的日志文件格式如下:
libcore.io.DiskLruCache 1 100 2 CLEAN 3400330d1dfc7f3f7f4b8d4d803dfcf6 832 21054 DIRTY 335c4c6028171cfddfbaae1a9c313c52 CLEAN 335c4c6028171cfddfbaae1a9c313c52 3934 2342 REMOVE 335c4c6028171cfddfbaae1a9c313c52 DIRTY 1ab96a171faeeee38496d8b330771a7a CLEAN 1ab96a171faeeee38496d8b330771a7a 1600 234 READ 335c4c6028171cfddfbaae1a9c313c52 READ 3400330d1dfc7f3f7f4b8d4d803dfcf6
前五行内容是日志文件的头部。分别是常量字符创 “libcore.io.DiskLruCache” 、 磁盘缓存版本 、 应用程序版本 、 值总计数量 和 一个空行。
文件随后每一行,各自记录着一个缓存条目的状态。内容为:状态值、key、可选的描述状态的值,各自通过一个空格分割。
- DIRTY 意味对应条目是新创建的或已被修改。每个正确的 DIRTY 操作必须跟着 CLEAN 或 REMOVE 操作。如果没满足该条件,则需要删除临时文件;
- CLEAN 表示缓存条目已成功发布并可访问。每个发布行后续跟着每个值的长度;
- READ 是访问LRU操作 (访问应该不会造成副作用);
- REMOVE 表示该条目内容已被删除。
当发生缓存操作时,内容会追加到日志文件中。会偶尔通过日志删除文件多余行内容,来缩小内容体积。临时文件名为 “journal.tmp” ,在日志压缩过程中使用,且会在缓存启动时删除该文件。
二、常量
// 原文件的文件名 static final String JOURNAL_FILE = "journal"; // 临时文件的文件名 static final String JOURNAL_FILE_TEMP = "journal.tmp"; // 备份文件的文件名 static final String JOURNAL_FILE_BACKUP = "journal.bkp"; // 魔数字符串用于标识日志文件的身份 static final String MAGIC = "libcore.io.DiskLruCache"; // 当前DiskLruCache的版本 static final String VERSION_1 = "1"; static final long ANY_SEQUENCE_NUMBER = -1; // 已清除,字符串长度为5 private static final String CLEAN = "CLEAN"; // 脏数据,字符串长度为5 private static final String DIRTY = "DIRTY"; // 已移除,字符串长度为6 private static final String REMOVE = "REMOVE"; // 已读取,字符串长度为4 private static final String READ = "READ";
三、数据成员
数据成员通过 LinkedHashMap 类实现LRU特性,具体源码请看 Java源码系列(11) – LinkedHashMap 。
// 缓存保存的文件夹
private final File directory;
// 日志文件
private final File journalFile;
// 临时日志文件
private final File journalFileTmp;
// 备份的日志文件
private final File journalFileBackup;
// 使用此库时App的版本号,版本号改变后缓存将失效
private final int appVersion;
// 用于存储的最大字节数
private long maxSize;
// 每个条目值可保存值的最大数量
private final int valueCount;
private long size = 0;
private Writer journalWriter;
// 实现LRU的LinkedHashMap
private final LinkedHashMap<String, Entry> lruEntries =
new LinkedHashMap<String, Entry>(0, 0.75f, true);
// 多余操作次数的统计
private int redundantOpCount;
// 用于区分当前快照和旧快照的序列号,条目每次提交编辑时都被授予一个序列号
// 如果快照的序列号不等于条目的序列号,则快照是旧的
private long nextSequenceNumber = 0;
// 此缓存使用后台单线程清除条目
final ThreadPoolExecutor executorService =
new ThreadPoolExecutor(0, 1, 60L, TimeUnit.SECONDS, new LinkedBlockingQueue<Runnable>());
private final Callable<Void> cleanupCallable = new Callable<Void>() {
public Void call() throws Exception {
synchronized (DiskLruCache.this) {
if (journalWriter == null) {
return null; // Closed.
}
trimToSize();
if (journalRebuildRequired()) {
rebuildJournal();
redundantOpCount = 0;
}
}
return null;
}
};
四、构造方法
private DiskLruCache(File directory, int appVersion, int valueCount, long maxSize) {
this.directory = directory;
this.appVersion = appVersion;
this.journalFile = new File(directory, JOURNAL_FILE);
this.journalFileTmp = new File(directory, JOURNAL_FILE_TEMP);
this.journalFileBackup = new File(directory, JOURNAL_FILE_BACKUP);
this.valueCount = valueCount;
this.maxSize = maxSize;
}
五、成员方法
5.1 open
打开在目录 directory 中的缓存,文件不存在则创建新缓存。
参数解析:
- directory :存放文件的可写目录
- appVersion :应用的版本号,当版本号改变后缓存会全部清除
- valueCount :每个缓存条目的值的数量,必须为正数
- maxSize :此缓存用于存储的最大字节数
还有,读写文件缓存目录失败时会抛出 IOException
public static DiskLruCache open(File directory, int appVersion, int valueCount, long maxSize)
throws IOException {
// 缓存可用的最大字节数小于等于0
if (maxSize <= 0) {
throw new IllegalArgumentException("maxSize <= 0");
}
if (valueCount <= 0) {
throw new IllegalArgumentException("valueCount <= 0");
}
// 获取备份文件
File backupFile = new File(directory, JOURNAL_FILE_BACKUP);
// 如果存在备份文件
if (backupFile.exists()) {
File journalFile = new File(directory, JOURNAL_FILE);
// 如果原journal文件存在
if (journalFile.exists()) {
// 则删除备份文件JOURNAL_FILE_BACKUP,即journal.bkp
backupFile.delete();
} else {
// 原journal文件不存在,把JOURNAL_FILE_BACKUP文件重命名为JOURNAL_FILE
renameTo(backupFile, journalFile, false);
}
}
// Prefer to pick up where we left off.
DiskLruCache cache = new DiskLruCache(directory, appVersion, valueCount, maxSize);
if (cache.journalFile.exists()) {
try {
cache.readJournal();
cache.processJournal();
return cache;
} catch (IOException journalIsCorrupt) {
System.out
.println("DiskLruCache "
+ directory
+ " is corrupt: "
+ journalIsCorrupt.getMessage()
+ ", removing");
cache.delete();
}
}
// 没找到已存在的文件,则创建全新空的缓存
directory.mkdirs();
cache = new DiskLruCache(directory, appVersion, valueCount, maxSize);
cache.rebuildJournal();
return cache;
}
5.2 readJournal
读取日志,读取的主要目的是校验日志文件头部的内容是否合适,并通过捕获自行抛出异常的方法处理异常情况。常见的应用场景是:App版本号更新后,新版本号和日志内App版本号不匹配抛出异常。然后,该异常被捕获后,此缓存会被丢弃并创建新缓存文件。
private void readJournal() throws IOException {
StrictLineReader reader = new StrictLineReader(new FileInputStream(journalFile), Util.US_ASCII);
try {
String magic = reader.readLine();
String version = reader.readLine();
String appVersionString = reader.readLine();
String valueCountString = reader.readLine();
String blank = reader.readLine();
// 检验头部5行内容是否合法
if (!MAGIC.equals(magic)
|| !VERSION_1.equals(version)
|| !Integer.toString(appVersion).equals(appVersionString)
|| !Integer.toString(valueCount).equals(valueCountString)
|| !"".equals(blank)) {
throw new IOException("unexpected journal header: [" + magic + ", " + version + ", "
+ valueCountString + ", " + blank + "]");
}
// 日志文件头部内容校验已通过
int lineCount = 0;
while (true) {
try {
readJournalLine(reader.readLine());
// 计算读取的总行数,行数不包括日志头部内容
lineCount++;
} catch (EOFException endOfJournal) {
break;
}
}
redundantOpCount = lineCount - lruEntries.size();
// If we ended on a truncated line, rebuild the journal before appending to it.
if (reader.hasUnterminatedLine()) {
rebuildJournal();
} else {
journalWriter = new BufferedWriter(new OutputStreamWriter(
new FileOutputStream(journalFile, true), Util.US_ASCII));
}
} finally {
Util.closeQuietly(reader);
}
}
5.3 readJournalLine
日志文件头部内容校验通过后,日志文件的修改记录逐行读取并通过此方法进行处理。每行都以一个空格开始,税后就是日志的内容。
假设现在处理的行内容是 REMOVE 335c4c6028171cfddfbaae1a9c313c52
private void readJournalLine(String line) throws IOException {
// 每行必须包含一个至少空格,否则抛出异常IOException
int firstSpace = line.indexOf(' ');
if (firstSpace == -1) {
throw new IOException("unexpected journal line: " + line);
}
// firstSpace索引值为6
int keyBegin = firstSpace + 1;
int secondSpace = line.indexOf(' ', keyBegin);
final String key;
// 此时不存在secondSpace,所以secondSpace为-1,条件命中
// 操作为CLEAN时secondSpace不为-1
if (secondSpace == -1) {
// 从行内容裁出key: 335c4c6028171cfddfbaae1a9c313c52
key = line.substring(keyBegin);
// REMOVE.length()为6,所有操作的字符串只有REMOVE的长度为6
if (firstSpace == REMOVE.length() && line.startsWith(REMOVE)) {
// 匹配移除操作,则把该条目从LinkedHashMap中移除
lruEntries.remove(key);
// REMOVE操作退出方法
return;
}
} else {
// 肯定是CLEAN操作进入此分支的,因为只有CLEAN的secondSpace不为-1
key = line.substring(keyBegin, secondSpace);
}
// DIRTY、READ、CLEAN操作到这里
Entry entry = lruEntries.get(key);
if (entry == null) {
entry = new Entry(key);
lruEntries.put(key, entry);
}
if (secondSpace != -1 && firstSpace == CLEAN.length() && line.startsWith(CLEAN)) {
// 处理CLEAN操作,裁剪出key后面的多个值
String[] parts = line.substring(secondSpace + 1).split(" ");
entry.readable = true;
entry.currentEditor = null;
entry.setLengths(parts);
} else if (secondSpace == -1 && firstSpace == DIRTY.length() && line.startsWith(DIRTY)) {
// 处理DIRTY操作
entry.currentEditor = new Editor(entry);
} else if (secondSpace == -1 && firstSpace == READ.length() && line.startsWith(READ)) {
// READ操作不需处理,因为READ操作没有任何副作用
// This work was already done by calling lruEntries.get().
} else {
// 出现未知操作类型,正常来说不会遇到
throw new IOException("unexpected journal line: " + line);
}
}
5.4 processJournal
把计算初始大小和收集垃圾操作作为打开缓存的一部分。脏条目会假定为不一致且将要被删除。
/**
* Computes the initial size and collects garbage as a part of opening the
* cache. Dirty entries are assumed to be inconsistent and will be deleted.
*/
private void processJournal() throws IOException {
// 删除已经存在的临时日志文件
deleteIfExists(journalFileTmp);
// 逐个遍历lruEntries
for (Iterator<Entry> i = lruEntries.values().iterator(); i.hasNext(); ) {
Entry entry = i.next();
if (entry.currentEditor == null) {
// 统计可以读取条目的总长度
for (int t = 0; t < valueCount; t++) {
size += entry.lengths[t];
}
} else {
// DIRTY操作的currentEditor不为空
entry.currentEditor = null;
for (int t = 0; t < valueCount; t++) {
deleteIfExists(entry.getCleanFile(t));
deleteIfExists(entry.getDirtyFile(t));
}
i.remove();
}
}
}
5.5 rebuildJournal
创建一个忽略多余信息的日志文件,并把文件替换已经存在的日志文件。
private synchronized void rebuildJournal() throws IOException {
if (journalWriter != null) {
journalWriter.close();
}
// 给journalFileTmp创建一个缓冲写入
Writer writer = new BufferedWriter(
new OutputStreamWriter(new FileOutputStream(journalFileTmp), Util.US_ASCII));
try {
// 第一行,写入魔数String
writer.write(MAGIC);
writer.write("\n");
// 第二行,DiskLru的版本号
writer.write(VERSION_1);
writer.write("\n");
// 第三行,App的版本号
writer.write(Integer.toString(appVersion));
writer.write("\n");
// 第四行,条目可包含值的数量
writer.write(Integer.toString(valueCount));
writer.write("\n");
// 第五行,空行
writer.write("\n");
// 根据lruEntries写入日志内容
for (Entry entry : lruEntries.values()) {
if (entry.currentEditor != null) {
writer.write(DIRTY + ' ' + entry.key + '\n');
} else {
writer.write(CLEAN + ' ' + entry.key + entry.getLengths() + '\n');
}
}
} finally {
writer.close();
}
// 如果已有一份日志文件存在,就把文件备份起来
if (journalFile.exists()) {
renameTo(journalFile, journalFileBackup, true);
}
// 临时文件变为正式文件
renameTo(journalFileTmp, journalFile, false);
// 删除备份文件
journalFileBackup.delete();
journalWriter = new BufferedWriter(
new OutputStreamWriter(new FileOutputStream(journalFile, true), Util.US_ASCII));
}
5.6 deleteIfExists
如果文件已存在则删除该文件
private static void deleteIfExists(File file) throws IOException {
// 仅在文件存在的时候执行,删除失败会抛出IOException
if (file.exists() && !file.delete()) {
throw new IOException();
}
}
5.7 renameTo
从命名文件,把 from 文件的名称重命名为 to ,并根据 deleteDestination 决定是否删除已存在的 to 文件。
private static void renameTo(File from, File to, boolean deleteDestination) throws IOException {
// 是否先删除已存在的目标文件
if (deleteDestination) {
deleteIfExists(to);
}
// 重命名from为to
if (!from.renameTo(to)) {
throw new IOException();
}
}
5.8 get
返回名为 key 条目的快照,若文件不存在或当时不可读则返回null。如果有值被返回,则该值会被移到LRU队列的头部的首位上。
/**
* Returns a snapshot of the entry named {@code key}, or null if it doesn't
* exist is not currently readable. If a value is returned, it is moved to
* the head of the LRU queue.
*/
public synchronized Value get(String key) throws IOException {
checkNotClosed();
Entry entry = lruEntries.get(key);
// 实体不存在,返回null
if (entry == null) {
return null;
}
// 文件不可读,返回null
if (!entry.readable) {
return null;
}
// 如果文件是可以读取的,但检查时发现文件存在了,那文件肯定是被手动删除了
for (File file : entry.cleanFiles) {
// A file must have been deleted manually!
if (!file.exists()) {
return null;
}
}
// 记录读取操作的日志
redundantOpCount++;
journalWriter.append(READ);
journalWriter.append(' ');
journalWriter.append(key);
journalWriter.append('\n');
if (journalRebuildRequired()) {
executorService.submit(cleanupCallable);
}
return new Value(key, entry.sequenceNumber, entry.cleanFiles, entry.lengths);
}
5.9 edit
返回名为 key 条目的编辑器,如果其他编辑操作正在进行则返回null。
public Editor edit(String key) throws IOException {
return edit(key, ANY_SEQUENCE_NUMBER);
}
以上方法调用了此方法, expectedSequenceNumber 参数为 ANY_SEQUENCE_NUMBER 。
private synchronized Editor edit(String key, long expectedSequenceNumber) throws IOException {
checkNotClosed();
Entry entry = lruEntries.get(key);
if (expectedSequenceNumber != ANY_SEQUENCE_NUMBER && (entry == null
|| entry.sequenceNumber != expectedSequenceNumber)) {
return null; // 值已经被废弃
}
if (entry == null) {
entry = new Entry(key);
lruEntries.put(key, entry);
} else if (entry.currentEditor != null) {
return null; // 另一个编辑正在进行
}
Editor editor = new Editor(entry);
entry.currentEditor = editor;
// Flush the journal before creating files to prevent file leaks.
// 在创建文件之前刷新日志以防止文件泄漏
journalWriter.append(DIRTY);
journalWriter.append(' ');
journalWriter.append(key);
journalWriter.append('\n');
journalWriter.flush();
return editor;
}
5.10 getter
// 返回此缓存存储数据的目录
public File getDirectory() {
return directory;
}
// 返回缓存可用于存储数据的最大字节数
public synchronized long getMaxSize() {
return maxSize;
}
// 返回当前已用于存储缓存的字节数
// 如果后台删除操作处于待处理中,则该值可能大于最大大小
public synchronized long size() {
return size;
}
5.11 setter
/**
* Changes the maximum number of bytes the cache can store and queues a job
* to trim the existing store, if necessary.
*/
// 如有必要,更改缓存可以存储的最大字节数,并将作业排入队列以修剪现有存储
public synchronized void setMaxSize(long maxSize) {
this.maxSize = maxSize;
executorService.submit(cleanupCallable);
}
5.12 completeEdit
private synchronized void completeEdit(Editor editor, boolean success) throws IOException {
Entry entry = editor.entry;
if (entry.currentEditor != editor) {
throw new IllegalStateException();
}
// If this edit is creating the entry for the first time, every index must have a value.
if (success && !entry.readable) {
for (int i = 0; i < valueCount; i++) {
if (!editor.written[i]) {
editor.abort();
throw new IllegalStateException("Newly created entry didn't create value for index " + i);
}
if (!entry.getDirtyFile(i).exists()) {
editor.abort();
return;
}
}
}
for (int i = 0; i < valueCount; i++) {
File dirty = entry.getDirtyFile(i);
if (success) {
if (dirty.exists()) {
File clean = entry.getCleanFile(i);
dirty.renameTo(clean);
long oldLength = entry.lengths[i];
long newLength = clean.length();
entry.lengths[i] = newLength;
size = size - oldLength + newLength;
}
} else {
deleteIfExists(dirty);
}
}
redundantOpCount++;
entry.currentEditor = null;
if (entry.readable | success) {
entry.readable = true;
journalWriter.append(CLEAN);
journalWriter.append(' ');
journalWriter.append(entry.key);
journalWriter.append(entry.getLengths());
journalWriter.append('\n');
if (success) {
entry.sequenceNumber = nextSequenceNumber++;
}
} else {
lruEntries.remove(entry.key);
journalWriter.append(REMOVE);
journalWriter.append(' ');
journalWriter.append(entry.key);
journalWriter.append('\n');
}
journalWriter.flush();
if (size > maxSize || journalRebuildRequired()) {
executorService.submit(cleanupCallable);
}
}
5.13 journalRebuildRequired
/**
* We only rebuild the journal when it will halve the size of the journal
* and eliminate at least 2000 ops.
*/
private boolean journalRebuildRequired() {
final int redundantOpCompactThreshold = 2000;
return redundantOpCount >= redundantOpCompactThreshold //
&& redundantOpCount >= lruEntries.size();
}
5.14 remove
通过 key 删除存在的条目。
/**
* Drops the entry for {@code key} if it exists and can be removed. Entries
* actively being edited cannot be removed.
*
* @return true if an entry was removed.
*/
public synchronized boolean remove(String key) throws IOException {
checkNotClosed();
Entry entry = lruEntries.get(key);
if (entry == null || entry.currentEditor != null) {
return false;
}
for (int i = 0; i < valueCount; i++) {
File file = entry.getCleanFile(i);
if (file.exists() && !file.delete()) {
throw new IOException("failed to delete " + file);
}
size -= entry.lengths[i];
entry.lengths[i] = 0;
}
redundantOpCount++;
journalWriter.append(REMOVE);
journalWriter.append(' ');
journalWriter.append(key);
journalWriter.append('\n');
lruEntries.remove(key);
if (journalRebuildRequired()) {
executorService.submit(cleanupCallable);
}
return true;
}
5.15 其他
缓存已经关闭时返回true
public synchronized boolean isClosed() {
return journalWriter == null;
}
检查 journalWriter 是否已关闭,如果已关闭会抛出 IllegalStateException 。
private void checkNotClosed() {
if (journalWriter == null) {
throw new IllegalStateException("cache is closed");
}
}
强制缓冲所有操作到文件系统
public synchronized void flush() throws IOException {
checkNotClosed();
trimToSize();
journalWriter.flush();
}
关闭此缓存,已存储的值将保留在文件系统中。
public synchronized void close() throws IOException {
if (journalWriter == null) {
// 文件句柄已关闭
return; // Already closed.
}
// 终止所有正在进行的编辑
for (Entry entry : new ArrayList<Entry>(lruEntries.values())) {
if (entry.currentEditor != null) {
entry.currentEditor.abort();
}
}
trimToSize();
journalWriter.close();
journalWriter = null;
}
移除缓存直到缓存占用没有超过限制
private void trimToSize() throws IOException {
while (size > maxSize) {
Map.Entry<String, Entry> toEvict = lruEntries.entrySet().iterator().next();
remove(toEvict.getKey());
}
}
关闭缓存并删除所有已保存的值。
/**
* Closes the cache and deletes all of its stored values. This will delete
* all files in the cache directory including files that weren't created by
* the cache.
*/
public void delete() throws IOException {
close();
Util.deleteContents(directory);
}
把输入流根据 UTF_8 字符集拼接成字符串
private static String inputStreamToString(InputStream in) throws IOException {
return Util.readFully(new InputStreamReader(in, Util.UTF_8));
}
六、Value
条目所含值的快照
/** A snapshot of the values for an entry. */
public final class Value {
private final String key;
private final long sequenceNumber;
private final long[] lengths;
private final File[] files;
private Value(String key, long sequenceNumber, File[] files, long[] lengths) {
this.key = key;
this.sequenceNumber = sequenceNumber;
this.files = files;
this.lengths = lengths;
}
/**
* Returns an editor for this snapshot's entry, or null if either the
* entry has changed since this snapshot was created or if another edit
* is in progress.
*/
public Editor edit() throws IOException {
return DiskLruCache.this.edit(key, sequenceNumber);
}
public File getFile(int index) {
return files[index];
}
/** Returns the string value for {@code index}. */
// 返回指定索引下文件的String值
public String getString(int index) throws IOException {
InputStream is = new FileInputStream(files[index]);
return inputStreamToString(is);
}
/** Returns the byte length of the value for {@code index}. */
// 返回指定索引下字节的长度
public long getLength(int index) {
return lengths[index];
}
}
七、Editor
编辑一个条目的(多个)值
public final class Editor {
private final Entry entry;
private final boolean[] written;
private boolean committed;
private Editor(Entry entry) {
this.entry = entry;
this.written = (entry.readable) ? null : new boolean[valueCount];
}
/**
* Returns an unbuffered input stream to read the last committed value,
* or null if no value has been committed.
*/
private InputStream newInputStream(int index) throws IOException {
synchronized (DiskLruCache.this) {
if (entry.currentEditor != this) {
throw new IllegalStateException();
}
if (!entry.readable) {
return null;
}
try {
return new FileInputStream(entry.getCleanFile(index));
} catch (FileNotFoundException e) {
return null;
}
}
}
// 把最后一次提交的值以String返回,如果没有值提交过就返回null
public String getString(int index) throws IOException {
InputStream in = newInputStream(index);
return in != null ? inputStreamToString(in) : null;
}
public File getFile(int index) throws IOException {
synchronized (DiskLruCache.this) {
if (entry.currentEditor != this) {
throw new IllegalStateException();
}
if (!entry.readable) {
written[index] = true;
}
File dirtyFile = entry.getDirtyFile(index);
if (!directory.exists()) {
directory.mkdirs();
}
return dirtyFile;
}
}
// 把index所指的值修改为新值value
public void set(int index, String value) throws IOException {
Writer writer = null;
try {
// 创建一个输出流
OutputStream os = new FileOutputStream(getFile(index));
// 通过输出流构建Writer
writer = new OutputStreamWriter(os, Util.UTF_8);
// 把值写入到索引所指
writer.write(value);
} finally {
// 关闭Writer
Util.closeQuietly(writer);
}
}
/**
* Commits this edit so it is visible to readers. This releases the
* edit lock so another edit may be started on the same key.
*/
public void commit() throws IOException {
// The object using this Editor must catch and handle any errors
// during the write. If there is an error and they call commit
// anyway, we will assume whatever they managed to write was valid.
// Normally they should call abort.
completeEdit(this, true);
committed = true;
}
/**
* Aborts this edit. This releases the edit lock so another edit may be
* started on the same key.
*/
// 终止编辑。此方法会释放编辑锁,并允许其他编辑操作可以在同一个key上开展编辑
public void abort() throws IOException {
completeEdit(this, false);
}
public void abortUnlessCommitted() {
if (!committed) {
try {
abort();
} catch (IOException ignored) {
}
}
}
}
八、Entry
private final class Entry {
private final String key;
// 持有文件的长度
private final long[] lengths;
/** Memoized File objects for this entry to avoid char[] allocations. */
File[] cleanFiles;
File[] dirtyFiles;
// 条目已经发布的话此值为True
private boolean readable;
/** The ongoing edit or null if this entry is not being edited. */
// 正在进行的编辑,如果未编辑此条目,则返回null
private Editor currentEditor;
/** The sequence number of the most recently committed edit to this entry. */
// 此条目最近提交的编辑的序列号。
private long sequenceNumber;
private Entry(String key) {
this.key = key;
this.lengths = new long[valueCount];
cleanFiles = new File[valueCount];
dirtyFiles = new File[valueCount];
// The names are repetitive so re-use the same builder to avoid allocations.
// 名字都是重复的,所以重用同一个构造器避免内存申请
StringBuilder fileBuilder = new StringBuilder(key).append('.');
int truncateTo = fileBuilder.length();
for (int i = 0; i < valueCount; i++) {
fileBuilder.append(i);
cleanFiles[i] = new File(directory, fileBuilder.toString());
fileBuilder.append(".tmp");
dirtyFiles[i] = new File(directory, fileBuilder.toString());
fileBuilder.setLength(truncateTo);
}
}
public String getLengths() throws IOException {
StringBuilder result = new StringBuilder();
for (long size : lengths) {
result.append(' ').append(size);
}
return result.toString();
}
// 使用类似"10123"的十进制数字设置长度
private void setLengths(String[] strings) throws IOException {
if (strings.length != valueCount) {
throw invalidLengths(strings);
}
try {
for (int i = 0; i < strings.length; i++) {
lengths[i] = Long.parseLong(strings[i]);
}
} catch (NumberFormatException e) {
throw invalidLengths(strings);
}
}
private IOException invalidLengths(String[] strings) throws IOException {
throw new IOException("unexpected journal line: " + java.util.Arrays.toString(strings));
}
// 根据索引从File[]获取File对象
public File getCleanFile(int i) {
return cleanFiles[i];
}
// 根据索引从File[]获取File对象
public File getDirtyFile(int i) {
return dirtyFiles[i];
}
}
以上所述就是小编给大家介绍的《Android源码系列(18) -- DiskLruCache》,希望对大家有所帮助,如果大家有任何疑问请给我留言,小编会及时回复大家的。在此也非常感谢大家对 码农网 的支持!
猜你喜欢:- 【源码阅读】AndPermission源码阅读
- ReactNative源码解析-初识源码
- 【源码阅读】Gson源码阅读
- Spring源码系列:BeanDefinition源码解析
- istio 源码 – Citadel 源码分析 (原创)
- istio 源码 – pilot 源码分析(原创)
本站部分资源来源于网络,本站转载出于传递更多信息之目的,版权归原作者或者来源机构所有,如转载稿涉及版权问题,请联系我们。
Growth Hacker Marketing
Ryan Holiday / Portfolio / 2013-9-3 / USD 10.31
Dropbox, Facebook, AirBnb, Twitter. A new generation of multibillion dollar brands built without spending a dime on “traditional marketing.” No press releases, no PR firms, and no billboards in Times ......一起来看看 《Growth Hacker Marketing》 这本书的介绍吧!