Android source code advanced in-depth understanding of the SharedPreference principle mechanism

Android source code advanced in-depth understanding of the SharedPreference principle mechanism

[[429060]]

Preface

It's been a long time since I analyzed the source code. Today we will analyze SharedPreferences;

Let's learn together;

1. Simple use of SharedPreferences

1. Create

The first parameter is the name of the stored XML file, and the second is the opening method. Generally,

  1. Context.MODE_PRIVATE;
  2. SharedPreferences sp=context.getSharedPreferences( "name" , Context.MODE_PRIVATE);

2. Write

  1. //You can create a new SharedPreference to operate on the stored files
  2. SharedPreferences sp=context.getSharedPreferences( "name" , Context.MODE_PRIVATE);
  3. //Writing data in SharedPreference requires using Editor
  4. SharedPreference.Editor editor = sp.edit();
  5. //Similar to key-value pairs
  6. editor.putString( "name" , "string" );
  7. editor.putInt( "age" , 0);
  8. editor.putBoolean( "read" , true );
  9. //editor.apply();
  10. editor.commit ();
  • Both apply and commit are used to submit and save data. The difference is that apply is executed asynchronously and does not require waiting. Regardless of deletion, modification, or addition, apply or commit must be called to submit and save data.
  • About update: If the inserted key already exists, then the original key will be updated;
  • Once the application is uninstalled, the SharedPreference will also be deleted;

3. Read

  1. SharedPreference sp=context.getSharedPreferences( "name" , Context.MODE_PRIVATE);
  2. //The first parameter is the key name, the second is the default value
  3. String name =sp.getString( "name" , "None" );
  4. int age=sp.getInt( "age" , 0);
  5. boolean read =sp.getBoolean( "isRead" , false );

4. Search

  1. SharedPreferences sp=context.getSharedPreferences( "name" , Context.MODE_PRIVATE);
  2. // Check if the current key exists
  3. boolean isContains=sp. contains ( "key" );
  4. //Use getAll to return all available key values
  5. //Map<String,?> allMaps=sp.getAll();

5. Delete

When we want to clear the data in SharedPreferences, we must first clear() and then commit(). We cannot delete the xml file directly.

  1. SharedPreference sp=getSharedPreferences( "name" , Context.MODE_PRIVATE);
  2. SharedPrefence.Editor editor=sp.edit();
  3. editor.clear();
  4. editor.commit ();
  • getSharedPreference() does not generate files, which everyone knows;
  • After deleting the file, execute commit() again, the deleted file will be regenerated, and the data of the regenerated file will be the same as before the deletion;
  • After deleting the file, the content stored in the Preferences object remains unchanged unless the program is completely exited or stopped. Although the file is gone, the data still exists. The data will be lost only after the program is completely exited or stopped.
  • To clear SharedPreferences data, you must execute editor.clear() and editor.commit(). You cannot simply delete the file. This is the final conclusion. Things to note

2. SharedPreferences source code analysis

1. Create

  1. SharedPreferences preferences = getSharedPreferences( "test" , Context.MODE_PRIVATE);

In fact, the real implementation class of context is ContextImp, so go to the getSharedPreferences method of ContextImp to view:

  1. @Override
  2. public SharedPreferences getSharedPreferences(String name , int mode) {
  3. ......
  4. File file;
  5. synchronized (ContextImpl.class) {
  6. if (mSharedPrefsPaths == null ) {
  7. //Define type: ArrayMap<String, File> mSharedPrefsPaths;
  8. mSharedPrefsPaths = new ArrayMap<>();
  9. }
  10. //Can we get the file from mSharedPrefsPaths?
  11. file = mSharedPrefsPaths.get( name );
  12. if (file == null ) { //If the file is null  
  13. //Create the file
  14. file = getSharedPreferencesPath( name );
  15. Store the name , file key-value pair in the collection
  16. mSharedPrefsPaths.put( name , file);
  17. }
  18. }
  19. return getSharedPreferences(file, mode);
  20. }

ArrayMap<String, File> mSharedPrefsPaths; The object is used to store the SharedPreference file name and the corresponding path. The path is obtained in the following method, that is, to obtain the directory data/data/package name/shared_prefs/

  1. @Override
  2. public File getSharedPreferencesPath(String name ) {
  3. return makeFilename(getPreferencesDir(), name + ".xml" );
  4. }
  5. private File getPreferencesDir() {
  6. synchronized (mSync) {
  7. if (mPreferencesDir == null ) {
  8. mPreferencesDir = new File(getDataDir(), "shared_prefs" );
  9. }
  10. return ensurePrivateDirExists(mPreferencesDir);
  11. }
  12. }

Object creation starts after the path

  1. @Override
  2. public SharedPreferences getSharedPreferences(File file, int mode) {
  3. //Key point 1
  4. checkMode(mode);
  5. .......
  6. SharedPreferencesImpl sp;
  7. synchronized (ContextImpl.class) {
  8. //Get the cache object (or create a cache object)
  9. final ArrayMap<File, SharedPreferencesImpl> cache = getSharedPreferencesCacheLocked();
  10. //Get the Sp object from the cache object through the key file
  11. sp = cache.get(file);
  12. //If it is null , it means that there is no sp object for the file in the cache yet
  13. if (sp == null ) {
  14. //Key 2: Read files from disk
  15. sp = new SharedPreferencesImpl(file, mode);
  16. //Add to memory
  17. cache.put(file, sp);
  18. //Return sp
  19. return sp;
  20. }
  21. }
  22. //If set to MODE_MULTI_PROCESS mode, the SP's startReloadIfChangedUnexpectedly method will be executed.
  23. if ((mode & Context.MODE_MULTI_PROCESS) != 0 ||
  24. getApplicationInfo().targetSdkVersion < android.os.Build.VERSION_CODES.HONEYCOMB) {
  25. sp.startReloadIfChangedUnexpectedly();
  26. }
  27. return sp;
  28. }

It is to overload the previous method, but the input parameter is changed from file name to File, the creation process is locked synchronized, and all package names and corresponding files stored in the system are obtained through the method getSharedPreferencesCacheLocked(). This is why each sp file has only one corresponding SharedPreferencesImpl implementation object

process:

  • Get the cache area, get data from the cache area, see if there is an sp object, and return it directly if it exists
  • If it does not exist, then get the data from disk.
  • After the data is retrieved from disk, it is added to memory.
  • return sp;

getSharedPreferencesCacheLocked

  1. private ArrayMap<File, SharedPreferencesImpl> getSharedPreferencesCacheLocked() {
  2. if (sSharedPrefsCache == null ) {
  3. sSharedPrefsCache = new ArrayMap<>();
  4. }
  5. final String packageName = getPackageName();
  6. ArrayMap<File, SharedPreferencesImpl> packagePrefs = sSharedPrefsCache.get(packageName);
  7. if (packagePrefs == null ) {
  8. packagePrefs = new ArrayMap<>();
  9. sSharedPrefsCache.put(packageName, packagePrefs);
  10. }
  11. return packagePrefs;
  12. }
  • In the getSharedPreferences(File file, int mode) method, get the SharedPreferencesImpl object from the file in the system cache above. If it has not been used before, you need to create an object through the method checkMode(mode);
  • First check whether the mode is one of the three modes, then pass sp = new SharedPreferencesImpl(file, mode);
  • Create an object and put it into the system's packagePrefs for easy access later;
  1. SharedPreferencesImpl(File file, int mode) {
  2. mFile = file; //Store file
  3. //Backup file (disaster recovery file)
  4. mBackupFile = makeBackupFile(file);
  5. //model
  6. mMode = mode;
  7. //Has it been loaded?
  8. mLoaded = false ;
  9. //Store key-value pair information in the file
  10. mMap = null ;
  11. //From the name, you can know that it starts loading data from disk
  12. startLoadFromDisk();
  13. }
  • Mainly, several parameters are set. mFile is the original file; mBackupFile is the backup file with the suffix .bak;
  • mLoaded indicates whether the modified file is being loaded;
  • mMap is used to store data in sp files. It is also stored in the form of key-value pairs and is also obtained through this method. This means that every time sp is used, data is written to memory. This is why sp data stores data quickly. Therefore, sp files cannot store large amounts of data, otherwise it will easily cause OOM during execution.
  • mThrowable reports errors when loading files;
  • The following is the method for loading data startLoadFromDisk(); load data from the sp file into mMap

2. startLoadFromDisk()

  1. private void startLoadFromDisk() {
  2. synchronized (mLock) {
  3. mLoaded = false ;
  4. }
  5. //Start the child thread to load disk data
  6. new Thread( "SharedPreferencesImpl-load" ) {
  7. public void run() {
  8. loadFromDisk();
  9. }
  10. }.start();
  11. }
  12. private void loadFromDisk() {
  13. synchronized (mLock) {
  14. //If it has been loaded, return directly
  15. if (mLoaded) {
  16. return ;
  17. }
  18. //Whether the backup file exists,
  19. if (mBackupFile.exists()) {
  20. //Delete the original file
  21. mFile.delete ();
  22. //Name the backup file: xml file
  23. mBackupFile.renameTo(mFile);
  24. }
  25. }
  26. .......
  27. Map map = null ;
  28. StructStat stat = null ;
  29. try {
  30. //The following is to read the data
  31. stat = Os.stat(mFile.getPath());
  32. if (mFile.canRead()) {
  33. BufferedInputStream str = null ;
  34. try {
  35. str = new BufferedInputStream(
  36. new FileInputStream(mFile), 16*1024);
  37. map = XmlUtils.readMapXml(str);
  38. } catch (Exception e) {
  39. Log.w(TAG, "Cannot read " + mFile.getAbsolutePath(), e);
  40. finally
  41. IoUtils.closeQuietly(str);
  42. }
  43. }
  44. } catch (ErrnoException e) {
  45. /* ignore */
  46. }
  47. synchronized (mLock) {
  48. //Loading completed,
  49. mLoaded = true ;
  50. //The data is not null  
  51. if (map != null ) {
  52. //Assign map to the global mMap object that stores file key-value pairs
  53. mMap = map;
  54. //Update memory modification time and file size
  55. mStatTimestamp = stat.st_mtime;
  56. mStatSize = stat.st_size;
  57. } else {
  58. mMap = new HashMap<>();
  59. }
  60. //Key point: wake up all waiting threads locked with mLock
  61. mLock.notifyAll();
  62. }
  63. }
  • First, determine whether the backup file exists. If it does, change the suffix of the backup file. Then start reading the data, assign the read data to the mMap object of the global variable storage file key-value pair, and update the modification time and file size variables.
  • Wake up all waiting threads that use mLock as lock;
  • So far, the initialization of the SP object has been completed. In fact, it can be seen that it is a secondary cache process: disk to memory;

3. Get the key-value pairs in SP

  1. @Nullable
  2. public String getString(String key , @Nullable String defValue) {
  3. synchronized (mLock) { lock judgment
  4. awaitLoadedLocked(); //Waiting mechanism
  5. String v = (String)mMap.get( key ); //Get data from the key-value pair
  6. return v != null ? v : defValue;
  7. }
  8. }
  9. private void awaitLoadedLocked() {
  10. .......
  11. while (!mLoaded) { //When the data is loaded, the value is true  
  12. try {
  13. //Thread waiting
  14. mLock.wait();
  15. } catch (InterruptedException unused) {
  16. }
  17. }
  18. }

If the data has not been loaded (that is, mLoaded=false), the thread will wait;

4. putXXX and apply source code

  1. public Editor edit() {
  2. //Same principle as getXXX
  3. synchronized (mLock) {
  4. awaitLoadedLocked();
  5. }
  6. //Return the EditorImp object
  7. return new EditorImpl();
  8. }
  9. public Editor putBoolean(String key , boolean value) {
  10. synchronized (mLock) {
  11. mModified.put( key , value);
  12. return this;
  13. }
  14. }
  15. public void apply() {
  16. final long startTime = System.currentTimeMillis();
  17. //According to the name, we can know: submit data to memory
  18. final MemoryCommitResult mcr = commitToMemory();
  19. ........
  20. //Commit data to disk
  21. SharedPreferencesImpl.this.enqueueDiskWrite(mcr, postWriteRunnable);
  22. //Key point: calling listener
  23. notifyListeners(mcr);
  24. }
  • First, commitToMemory is executed to commit the data to memory; then the data is committed to disk;
  • Then the listener is called;

5. commitToMemory

  1. private MemoryCommitResult commitToMemory() {
  2. long memoryStateGeneration;
  3. List<String> keysModified = null ;
  4. Set <OnSharedPreferenceChangeListener> listeners = null ;
  5. //Write the data set to disk
  6. Map<String, Object> mapToWriteToDisk;
  7. synchronized (SharedPreferencesImpl.this.mLock) {
  8. if (mDiskWritesInFlight > 0) {
  9. mMap = new HashMap<String, Object>(mMap);
  10. }
  11. //Assign the cache collection to mapToWriteToDisk
  12. mapToWriteToDisk = mMap;
  13. .......
  14. synchronized (mLock) {
  15. boolean changesMade = false ;
  16. //Key point: whether to clear the data
  17. if (mClear) {
  18. if (!mMap.isEmpty()) {
  19. changesMade = true ;
  20. // Clear the key-value pair information in the cache
  21. mMap.clear();
  22. }
  23. mClear = false ;
  24. }
  25. //Loop mModified and update the data in mModified to mMap
  26. for (Map.Entry<String, Object> e : mModified.entrySet()) {
  27. String k = e.getKey();
  28. Object v = e.getValue();
  29. // "this"   is the magic value for a removal mutation. In addition,
  30. // setting a value to   "null"   for a given key   is specified to be
  31. // equivalent to calling remove on that key .
  32. if (v == this || v == null ) {
  33. if (!mMap.containsKey(k)) {
  34. continue ;
  35. }
  36. mMap.remove(k);
  37. } else {
  38. if (mMap.containsKey(k)) {
  39. Object existingValue = mMap.get(k);
  40. if (existingValue != null && existingValue.equals(v)) {
  41. continue ;
  42. }
  43. }
  44. //Note: At this time, the key-value pair information is written into the cache collection
  45. mMap.put(k, v);
  46. }
  47. .........
  48. }
  49. // Clear the temporary collection
  50. mModified.clear();
  51. ......
  52. }
  53. }
  54. return new MemoryCommitResult(memoryStateGeneration, keysModified, listeners,
  55. mapToWriteToDisk);
  56. }
  • mModified is the key-value pair collection we want to update and add this time;
  • mClear is assigned when we call the clear() method;
  • The general process is: first determine whether the memory data needs to be cleared, then loop the mModified collection and add the updated data to the key-value pair collection in the memory;

6. Commit method

  1. public boolean commit () {
  2. .......
  3. //Update data to memory
  4. MemoryCommitResult mcr = commitToMemory();
  5. // Update data to disk
  6. SharedPreferencesImpl.this.enqueueDiskWrite(
  7. mcr, null /* sync write on this thread okay */);
  8. try {
  9. //Wait: Wait for the disk to update data
  10. mcr.writtenToDiskLatch.await();
  11. } catch (InterruptedException e) {
  12. return   false ;
  13. finally
  14. if (DEBUG) {
  15. Log.d(TAG, mFile.getName() + ":" + mcr.memoryStateGeneration
  16. + " committed after " + (System.currentTimeMillis() - startTime)
  17. + "ms" );
  18. }
  19. }
  20. //Execute listener callback
  21. notifyListeners(mcr);
  22. return mcr.writeToDiskResult;
  23. }
  • First, apply has no return value, but commit does.
  • In fact, the apply method executes the callback in parallel with the data being written to disk, while the commit method executes the callback after the disk writing is completed;

3. Detailed explanation of QueuedWork

1. QueuedWork

The QueuedWork class is used after the initialization of sp. As we have seen before, both the apply and commit methods are implemented through QueuedWork.

QueuedWork is a management class. As the name implies, it has a queue that manages and schedules all queued work.

The most important thing is to have a HandlerThread

  1. private static Handler getHandler() {
  2. synchronized (sLock) {
  3. if (sHandler == null ) {
  4. HandlerThread handlerThread = new HandlerThread( "queued-work-looper" ,
  5. Process.THREAD_PRIORITY_FOREGROUND);
  6. handlerThread.start();
  7. sHandler = new QueuedWorkHandler(handlerThread.getLooper());
  8. }
  9. return sHandler;
  10. }
  11. }

2. Join the queue

  1. // If it is a commit , it cannot be delayed, if it is an apply, it can be delayed
  2. public   static void queue(Runnable work , boolean shouldDelay) {
  3. Handler handler = getHandler();
  4. synchronized (sLock) {
  5. sWork.add ( work );
  6. if (shouldDelay && sCanDelay) {
  7. // The default delay time is 100ms
  8. handler.sendEmptyMessageDelayed(QueuedWorkHandler.MSG_RUN, DELAY);
  9. } else {
  10. handler.sendEmptyMessage(QueuedWorkHandler.MSG_RUN);
  11. }
  12. }
  13. }

3. Message processing

  1. private static class QueuedWorkHandler extends Handler {
  2. static final int MSG_RUN = 1;
  3. QueuedWorkHandler(Looper looper) {
  4. super(looper);
  5. }
  6. public void handleMessage(Message msg) {
  7. if (msg.what == MSG_RUN) {
  8. processPendingWork();
  9. }
  10. }
  11. }
  12. private static void processPendingWork() {
  13. synchronized (sProcessingWork) {
  14. LinkedList<Runnable> work ;
  15. synchronized (sLock) {
  16. work = (LinkedList<Runnable>) sWork.clone();
  17. sWork.clear();
  18. getHandler().removeMessages(QueuedWorkHandler.MSG_RUN);
  19. }
  20. if ( work . size () > 0) {
  21. for (Runnable w : work ) {
  22. w.run();
  23. }
  24. }
  25. }
  26. }
  • As you can see, the scheduling is very simple. There is an sWork inside, which iterates through all runnables when it needs to be executed;
  • For the apply operation, there will be a certain delay before the work is executed, but for the commit operation, the scheduling will be triggered immediately, and not only the task passed by the commit will be scheduled, but all the work in the queue will be scheduled immediately;

4. waitToFinish

Many places in the system will wait for the sp to finish writing files, and the waiting method is to call QueuedWork.waitToFinish();

  1. public   static void waitToFinish() {
  2. Handler handler = getHandler();
  3. synchronized (sLock) {
  4. // Remove all messages and start scheduling all work directly  
  5. if (handler.hasMessages(QueuedWorkHandler.MSG_RUN)) {
  6. handler.removeMessages(QueuedWorkHandler.MSG_RUN);
  7. }
  8. sCanDelay = false ;
  9. }
  10. StrictMode.ThreadPolicy oldPolicy = StrictMode.allowThreadDiskWrites();
  11. try {
  12. // If waitToFinish is called, all work will be executed immediately  
  13. processPendingWork();
  14. finally
  15. StrictMode.setThreadPolicy(oldPolicy);
  16. }
  17. try {
  18. // After all work is completed, you need to execute Finisher
  19. // In the previous apply step, there is a step of QueuedWork.addFinisher(awaitCommit);
  20. // The implementation is to wait for the sp file to be written
  21. // If it is not scheduled through msg but through waitToFinish, the runnable will be executed here
  22. while ( true ) {
  23. Runnable finisher;
  24. synchronized (sLock) {
  25. finisher = sFinishers.poll();
  26. }
  27. if (finisher == null ) {
  28. break;
  29. }
  30. finisher.run();
  31. }
  32. finally
  33. sCanDelay = true ;
  34. }
  35. ...
  36. }

The processing logic of the four major components in the system is implemented in ActivityThread. During the execution of the service/activity life cycle, it will wait for the sp to be written. It is by calling QueuedWork.waitToFinish() that the app data is correctly written to disk;

5. Suggestions for using sp

  • The real-time requirements for data are not high, so try to use apply
  • If the business requires that the data must be written successfully, use commit
  • Reduce the frequency of sp operations and try to write all data in one commit
  • You may consider not accessing sp in the main thread.
  • The data written to sp should be as lightweight as possible

Summarize:

The implementation of SharedPreferences itself is divided into two steps, one is memory and the other is disk, and the main thread depends on the writing of SharedPreferences. So when io becomes a bottleneck, the App may become stuck because of SharedPreferences, and in severe cases, ANR may occur. To sum up, there are the following points:

  • The data stored in the XML file will be loaded into the memory, so the data can be retrieved quickly.
  • Apply is an asynchronous operation, which submits data to memory and does not immediately submit it to disk.
  • Commit is a synchronous operation, which will wait for the data to be written to disk and return the result.
  • If the same thread commits multiple times, the subsequent ones must wait for the previous ones to finish executing.
  • If multiple threads commit to the same sp concurrently, all subsequent tasks will enter the QueuedWork queue for execution and must wait until the first task is completed.

This article is reproduced from the WeChat public account "Android Development Programming"

【Editor's recommendation】

  1. How to upgrade from Windows 10 to Windows 11 for free?
  2. Windows 11 is officially released! Installation method and ISO image download are all here
  3. Breaking news! Apple officially shuts down iOS 14.8 verification system
  4. Have you upgraded? Windows 11 official version is 40% smaller
  5. Have you updated Windows 11? Why haven't I received any notifications yet?

<<:  Google Android 12 hardware requirements announced: 6GB RAM + 1080p screen recommended

>>:  Google Chrome App will be discontinued in June 2022 and transformed into PWA application

Recommend

Google tells Oracle Android is protected by GPL

Google replaced its Java API implementation in th...

If your boss asks you to refactor the system, you should tell him this

[[155470]] Last month, a former colleague asked m...

Analysis of massive engine advertising data!

Data analysis is the most important job skill for...

The effectiveness and traffic conversion of TikTok advertising in APP!

Recently, advertisers of e-commerce apps seem to ...

Wi-Fi Master Key: How to crack it and whether it is dangerous

Why can this "key" crack Wi-Fi? Does it...

10 common problems faced by programmers

[[221521]] The most difficult task for programmer...

Tik Tok follower growth tool automatically increases the number of followers!

About the Douyin follower-increasing tool to auto...

8 KOL Marketing Trends Predictions for 2019!

There is a proverb in English, "There is no ...

How to do user operation?

For product operators, they should not only be ve...