Google's official MVP sample code reading notes

Google's official MVP sample code reading notes

Unraveling the project structure

According to international practice, the project structure diagram is as follows:

It is easy to tell the functions from the package name: addedittask is for adding tasks, data is for data management, statistics is for statistics, taskdetail is for task details, tasks is for task browsing, etc. In fact, the key to this project is: Tasks, TaskDetail, AddEditTask, Statistics.

These four key points have something in common:

  • Defines the contract between view and presenter
  • Activity is responsible for the creation of fragment and presenter
  • Fragment implements the view interface
  • Presenter implements the presenter interface

In other words, each of the several functions is in the MVP mode, except that the Model layer is shared. And the View layer in this project is all Fragments. Sure enough, Google recommends using Fragments and even gives us a demonstration in its own project... In fact, there is still some controversy about whether to use Fragments. So should we use them? I think for individuals, whether you like it or not, you have to use it and give it a try, because people have to step into pits to grow. For formal projects, you need to comprehensively consider whether the advantages of using Fragments outweigh the disadvantages.

That's a little off topic. Let's take a look at a structure diagram given in his code repository:

You can see that the left side is data management, a typical Model layer. On the right side, you may think that Activity is Presenter, but in fact, Presenter is in Activity, and Fragment is View. At this point, I think the introduction to the structure of this project is enough, and let's look at the code.

I think the correct way to look at an Android project is to play with the app first and see what it does. Here are some pictures of the app:

Next, it’s time to look at the entry Activity. The entry Activity of this project is TasksActivity, and the package it is in is tasks. Let’s see what’s in it:

The first one is the custom View, the second one is the entry Activity, and the third one is the "contract" mentioned above, which contains the View interface and the Presenter interface. TasksFilterType is an enumeration with three filter types: all, in progress, and completed. TasksFragment is the View in MVP, and TasksPresenter is the Presenter in MVP. Take a look at the initialization code in TasksActivity:

  1. protected void onCreate(Bundle savedInstanceState) {
  2. super.onCreate(savedInstanceState);
  3. setContentView(R.layout.tasks_act);
  4. Log.e(getClass().getSimpleName(), "onCreate" );
  5.  
  6. // Set up the toolbar.
  7. Toolbar toolbar = (Toolbar) findViewById(R.id.toolbar);
  8. setSupportActionBar(toolbar);
  9. ActionBar ab = getSupportActionBar();
  10. ab.setHomeAsUpIndicator(R.drawable.ic_menu);
  11. ab.setDisplayHomeAsUpEnabled( true );
  12.  
  13. /**
  14. * The following DrawerLayout is not shown for the time being
  15. */
  16. // Set up the navigation drawer.
  17. mDrawerLayout = (DrawerLayout) findViewById(R.id.drawer_layout);
  18. mDrawerLayout.setStatusBarBackground(R.color.colorPrimaryDark);
  19. NavigationView navigationView = (NavigationView) findViewById(R.id.nav_view);
  20. if (navigationView != null ) {
  21. setupDrawerContent(navigationView);
  22. }
  23.  
  24. // Get the fragment and add it to the view
  25. // The click event of the floating button set in this taksFragment
  26. TasksFragment tasksFragment =
  27. (TasksFragment) getSupportFragmentManager().findFragmentById(R.id.contentFrame);
  28. // getSupportFragmentManager().findFragmentById()
  29. if (tasksFragment == null ) {
  30. // Create the fragment
  31. tasksFragment = TasksFragment.newInstance();
  32. // Provide methods to help activity load ui
  33. // This method actually gets a transaction and then adds the fragment to the corresponding id
  34. ActivityUtils.addFragmentToActivity(
  35. getSupportFragmentManager(), tasksFragment, R.id.contentFrame);
  36. }
  37.  
  38. // Create the presenter
  39. mTasksPresenter = new TasksPresenter(
  40. Injection.provideTasksRepository(getApplicationContext()), tasksFragment);
  41.  
  42. // Load previously saved state, if available.
  43. if (savedInstanceState != null ) {
  44. TasksFilterType currentFiltering =
  45. (TasksFilterType) savedInstanceState.getSerializable(CURRENT_FILTERING_KEY);
  46. mTasksPresenter.setFiltering(currentFiltering);
  47. }
  48. }

First, initialize the toolbar and slide. You don't need to go into detail here, so you can skip these two. Then initialize the fragment and presenter. Initializing the fragment first tries to find a possible existing Fragment object by id. If not, create a new Fragment object. The next step is to create a presenter. The last step is to restore data when the application switches between landscape and portrait modes.

Next, let’s look at the “contract” between View and Presenter:

  1. public interface TasksContract {
  2.  
  3. interface View extends BaseView<Presenter> {
  4.  
  5. void setLoadingIndicator(boolean active);
  6.  
  7. void showTasks(List<Task> tasks);
  8.  
  9. void showAddTask();
  10.  
  11. void showTaskDetailsUi(String taskId);
  12.  
  13. void showTaskMarkedComplete();
  14.  
  15. void showTaskMarkedActive();
  16.  
  17. void showCompletedTasksCleared();
  18.  
  19. void showLoadingTasksError();
  20.  
  21. void showNoTasks();
  22.  
  23. void showActiveFilterLabel();
  24.  
  25. void showCompletedFilterLabel();
  26.  
  27. void showAllFilterLabel();
  28.  
  29. void showNoActiveTasks();
  30.  
  31. void showNoCompletedTasks();
  32.  
  33. void showSuccessfullySavedMessage();
  34.  
  35. boolean isActive();
  36.  
  37. void showFilteringPopUpMenu();
  38. }
  39.  
  40. interface Presenter extends BasePresenter {
  41.  
  42. void result( int requestCode, int resultCode);
  43.  
  44. void loadTasks(boolean forceUpdate);
  45.  
  46. void addNewTask();
  47.  
  48. void openTaskDetails(@NonNull Task requestedTask);
  49.  
  50. void completeTask(@NonNull Task completedTask);
  51.  
  52. void activateTask(@NonNull Task activeTask);
  53.  
  54. void clearCompletedTasks();
  55.  
  56. void setFiltering(TasksFilterType requestType);
  57.  
  58. TasksFilterType getFiltering();
  59. }
  60. }

This interface includes View and Presenter. You can see that there are many methods in View and Presenter. In fact, this is as it should be. Because in the MVP architecture, View is only responsible for drawing the UI according to the instructions of Presenter, and View leaves all user interactions to Presenter. Therefore, many methods of Presenter may be the processing of user input, and there must be output if there is input. The various methods defined in the View interface are callbacks to Presenter. Presenter pushes the processing results of user input to View through the callback function, and View updates the UI accordingly based on this result. In this project, Fragment is View, and the corresponding methods of Presenter are called in each click event of Fragment, leaving the business logic to Presenter. This seems to be much better than traditional MVC, because in traditional MVC, Activity can be considered as both Controller and View, and it is difficult to separate responsibilities. When writing later, one Activity may have thousands of lines of code, which will bring a lot of trouble for subsequent maintenance. MVP extracts the business logic into the Presenter, and the responsibility of the Fragment or Activity as the View is more single, which undoubtedly brings convenience to subsequent development and maintenance.

Next, let's look at the initialization of Presenter in detail. The creation of Presenter is completed in TasksActivity. Check its constructor:

  1. public TasksPresenter(@NonNull TasksRepository tasksRepository, @NonNull TasksContract. View tasksView) {
  2. mTasksRepository = checkNotNull(tasksRepository, "tasksRepository cannot be null" );
  3. mTasksView = checkNotNull(tasksView, "tasksView cannot be null!" );
  4.  
  5. mTasksView.setPresenter(this);
  6. }

The first two check whether the passed parameter is empty, then assign it to the reference in TasksPresenter, call the setPresenter method of view, pass itself in, so that the presenter object can be used in the view, which looks much more elegant than taking it directly from the activity. I won’t look at the specific logic of Presenter, which is all relatively simple code. Let’s review the process of events that occur when opening this app: create TasksActivity -> initialize Toolbar -> initialize side sliding -> create TasksFragment object -> create TaskPresenter object -> set Presenter object for Fragment -> initialize Fragment layout. After this set of processes, the whole process is sorted out, and the next step is just waiting for user input.

The next thing to look at is the Model that has been ignored from the beginning of this article to now: TasksRepository. However, before analyzing TasksRepository, let me introduce the entity class in this project. It is written elegantly, and we can also follow its routine when we write entity classes in normal times. Why do I say that it is written elegantly? Because each attribute or method with a return value is annotated with @Nullable or @NoNull to indicate whether it can be null. In fact, the error of null pointer can be regarded as a common error in normal times... But if you have good design and coding habits, it can be avoided. Bringing these two annotations can give you relevant prompts at compile time. Not only that, this entity class also overrides the equals(), hashCode() and toString() methods, and the implementation method is also in line with the specification. There is a good summary of how to override these three methods in "Effective Java", you can go and read it.

  1. /*
  2. * Copyright 2016, The Android Open Source Project
  3. *
  4. * Licensed under the Apache License, Version 2.0 (the "License" );
  5. * you may not use this file except   in compliance with the License.
  6. * You may obtain a copy of the License at  
  7. *
  8. * http://www.apache.org/licenses/LICENSE-2.0
  9. *
  10. * Unless required by applicable law or agreed to   in writing, software
  11. * distributed under the License is distributed on an "AS IS" BASIS,
  12. * WITHOUT WARRANTIES OR CONDITIONS OF   ANY KIND, either express or implied.
  13. * See the License for the specific language governing permissions and  
  14. * limitations under the License.
  15. */
  16.  
  17. package com.example.android.architecture.blueprints.todoapp.data;
  18.  
  19. import android.support.annotation.NonNull;
  20. import android.support.annotation.Nullable;
  21.  
  22. import com.google.common.base.Objects;
  23. import com.google.common.base.Strings;
  24.  
  25. import java.util.UUID;
  26.  
  27. /**
  28. * Immutable model class for a Task.
  29. */
  30. public final class Task {
  31.  
  32. @NonNull
  33. private final String mId;
  34.  
  35. @Nullable
  36. private final String mTitle;
  37.  
  38. @Nullable
  39. private final String mDescription;
  40.  
  41. private final boolean mCompleted;
  42.  
  43. /**
  44. * Use this constructor to   create a new active Task.
  45. *
  46. * @param title title of the task
  47. * @param description description of the task
  48. */
  49. public Task(@Nullable String title, @Nullable String description) {
  50. this(title, description, UUID.randomUUID().toString(), false );
  51. }
  52.  
  53. /**
  54. * Use this constructor to   create an active Task if the Task already has an id (copy of another
  55. * Task).
  56. *
  57. * @param title title of the task
  58. * @param description description of the task
  59. * @param id id of the task
  60. */
  61. public Task(@Nullable String title, @Nullable String description, @NonNull String id) {
  62. this(title, description, id, false );
  63. }
  64.  
  65. /**
  66. * Use this constructor to   create a new completed Task.
  67. *
  68. * @param title title of the task
  69. * @param description description of the task
  70. * @param completed true if the task is completed, false if it's active
  71. */
  72. public Task(@Nullable String title, @Nullable String description, boolean completed) {
  73. this(title, description, UUID.randomUUID().toString(), completed);
  74. }
  75.  
  76. /**
  77. * Use this constructor to specify a completed Task if the Task already has an id (copy of  
  78. * another Task).
  79. *
  80. * @param title title of the task
  81. * @param description description of the task
  82. * @param id id of the task
  83. * @param completed true if the task is completed, false if it's active
  84. */
  85. public Task(@Nullable String title, @Nullable String description,
  86. @NonNull String id, boolean completed) {
  87. mId = id;
  88. mTitle = title;
  89. mDescription = description;
  90. mCompleted = completed;
  91. }
  92.  
  93. @NonNull
  94. public String getId() {
  95. return mId;
  96. }
  97.  
  98. @Nullable
  99. public String getTitle() {
  100. return mTitle;
  101. }
  102.  
  103. @Nullable
  104. public String getTitleForList() {
  105. if (!Strings.isNullOrEmpty(mTitle)) {
  106. return mTitle;
  107. } else {
  108. return mDescription;
  109. }
  110. }
  111.  
  112. @Nullable
  113. public String getDescription() {
  114. return mDescription;
  115. }
  116.  
  117. public boolean isCompleted() {
  118. return mCompleted;
  119. }
  120.  
  121. public boolean isActive() {
  122. return !mCompleted;
  123. }
  124.  
  125. public boolean isEmpty() {
  126. return Strings.isNullOrEmpty(mTitle) &amp;&amp;
  127. Strings.isNullOrEmpty(mDescription);
  128. }
  129.  
  130. @Override
  131. public boolean equals(Object o) {
  132. if (this == o) return   true ;
  133. if (o == null || getClass() != o.getClass()) return   false ;
  134. Task task = (Task) o;
  135. return Objects.equal(mId, task.mId) &amp;&amp;
  136. Objects.equal(mTitle, task.mTitle) &amp;&amp;
  137. Objects.equal(mDescription, task.mDescription);
  138. }
  139.  
  140. @Override
  141. public   int hashCode() {
  142. return Objects.hashCode(mId, mTitle, mDescription);
  143. }
  144.  
  145. @Override
  146. public String toString() {
  147. return   "Task with title " + mTitle;
  148. }
  149. }

First take a look at the structure of the package where TasksRepository is located:

From the package name, we can see that local is to read data locally, and remote is to read data remotely. Of course, this is just a simulation of remote reading. Local uses the database access method. There are two TasksDataSource references in TasksRepository (hereinafter referred to as TR):

  1. private final TasksDataSource mTasksRemoteDataSource;
  2. private final TasksDataSource mTasksLocalDataSource;

TasksDataSource is an interface in the data package. The interface reference is used to decouple. Even if the requirements change in the future and you do not want to use the database to store data, as long as this interface is implemented, the internal code of TR does not need to be changed. TR uses a singleton, and the implementation is not thread-safe:

  1. /**
  2. * Returns the single instance of this class, creating it if necessary.
  3. *
  4. * @param tasksRemoteDataSource the backend data source
  5. * @param tasksLocalDataSource the device storage data source
  6. * @ return the {@link TasksRepository} instance
  7. */
  8. public   static TasksRepository getInstance(TasksDataSource tasksRemoteDataSource,
  9. TasksDataSource tasksLocalDataSource) {
  10. if (INSTANCE == null ) {
  11. INSTANCE = new TasksRepository(tasksRemoteDataSource, tasksLocalDataSource);
  12. }
  13. return INSTANCE;
  14. }

In the end, it doesn't need to be thread-safe. At least in this app, there is no scenario where this object is created concurrently, so it is enough. A LinkedHashMap is used as a container to save Tasks inside TR. Let's take a look at two methods. The first is storage:

  1. public void saveTask(@NonNull Task task) {
  2. checkNotNull(task);
  3. mTasksRemoteDataSource.saveTask(task);
  4. mTasksLocalDataSource.saveTask(task);
  5.  
  6. // Do in memory cache update   to keep the app UI up to   date  
  7. if (mCachedTasks == null ) {
  8. mCachedTasks = new LinkedHashMap<>();
  9. }
  10. mCachedTasks.put(task.getId(), task);
  11. }

The incoming task will be stored in the remote data source and the local data source (local database), and then the task will be passed to mCachedTasks (LinkedHashMap). The code is relatively simple, so no further analysis will be done. Next, let's take a look at reading Task:

  1. public void getTasks(@NonNull final LoadTasksCallback callback) {
  2. checkNotNull(callback);
  3.  
  4. // Respond immediately with cache if available and   not dirty
  5. if (mCachedTasks != null &amp;&amp; !mCacheIsDirty) {
  6. callback.onTasksLoaded(new ArrayList<>(mCachedTasks. values ​​()));
  7. return ;
  8. }
  9.  
  10. if (mCacheIsDirty) {
  11. // If the cache is dirty we need to   fetch new data from the network.
  12. getTasksFromRemoteDataSource(callback);
  13. } else {
  14. // Query the local storage if available. If not , query the network.
  15. mTasksLocalDataSource.getTasks(new LoadTasksCallback() {
  16. @Override
  17. public void onTasksLoaded(List<Task> tasks) {
  18. refreshCache(tasks);
  19. callback.onTasksLoaded(new ArrayList<>(mCachedTasks. values ​​()));
  20. }
  21.  
  22. @Override
  23. public void onDataNotAvailable() {
  24. getTasksFromRemoteDataSource(callback);
  25. }
  26. });
  27. }
  28. }

The taskId is the id of the Task that needs to be obtained, and it is also a unique identifier. GetTaskCallback is the interface callback responsible for passing data. The first step is to read data from the memory. The getTaskWithId method is as follows:

  1. private Task getTaskWithId(@NonNull String id) {
  2. checkNotNull(id);
  3. if (mCachedTasks == null || mCachedTasks.isEmpty()) {
  4. return   null ;
  5. } else {
  6. return mCachedTasks.get(id);
  7. }
  8. }

The data is read from the LinkedHashMap that stores the task. If the data cannot be read in this process, the data is read from the local data source. If the local data source does not get the data, the data is finally read from the remote data source.

So far, we have briefly gone through this project.

Summary & MVP

The Google sample project has a very clear architecture and a very standard MVP mode. The decoupling is also very good. However, compared to an application with simple functions, the amount of code is still relatively large. Of course, because this is just a small example, it may make people feel that it is not as convenient to develop as ordinary MVC, but a man without long-term plans will inevitably have short-term worries. When we do things, we should try to make long-term plans, otherwise we may be submerged in frequent changes in requirements in the future. There are many things worth learning from this Google project. For example, when we write MVP, we can also use a Contract class to put View and Presenter into it, which is convenient for us to manage (change code).

We all know that the main difference between MVP and MVC is that View and Model do not interact directly, but through Presenter. In this way, View can be modified without affecting Model, realizing the real complete separation of Model and View. In MVP, business logic is extracted and placed in Presenter, making the responsibilities of each module clearer and the hierarchy clearer. And there is also a key point, using MVP architecture makes it easier to unit test the application. Although there are many test frameworks in Android, to be honest, it is difficult to use those frameworks for effective testing without studying them for a period of time. And many tests are difficult to conduct because some need to rely on Android environment or UI environment. If MVP architecture is used, because the View layer is defined by interface, you can completely build a View to simulate the view object yourself, so that our test does not need to rely on UI environment. The biggest advantage of this is that we do not have to spend too much time studying those test frameworks, and we can also write effective unit tests to ensure the quality of our code.

Compared with the advantages of MVP, its disadvantages are also very obvious. It can be seen from this sample code of Google that the code volume is relatively large, and it is troublesome to use it to develop small Android applications. Presenter is responsible for both business logic and the interaction between Model and View. It is inevitable that it will become bloated in the later stage, and it may be difficult to maintain it in the end.

Although MVP still has some shortcomings, it is still easier to write maintainable and testable code than MVC, so you may wish to read this code from Google~

<<:  Apple pushes iOS 12 update, modifies functions related to Qualcomm patents

>>:  Android SDK Development - Release and Use Pitfalls

Recommend

6 tips to improve push opening rate of APP!

The main purpose of push is to promote activation...

Original knowledge comedy "Zhu Bajie Learns to Express" Baidu Cloud Download

Among the four disciples of Tang Monk, Zhu Bajie ...

Three operational insights I gained from a Spring Festival red envelope event

During the Spring Festival, we planned a red enve...

9 pitfalls you must know when promoting your app

Those who do APP promotion , whether they are new...

Android 12's new theme system exposed: greatly improved appearance

If we follow Google's usual tradition, inform...

How much does it cost to develop a photo app in Hanzhong?

More and more businesses are paying attention to ...

Practical tips: How to promote an event well?

First, let me give you a few tips: Tip 1: How to ...

Pinduoduo activities attract new growth matrix!

From time to time, you can see some screen-sweepi...

Video promotion tips: Revealing the new algorithm recommended by the platform!

With the development of 5G and 4K/8K HDTV technol...

Taobao live streaming methodology!

Brands’ self-broadcasting on Tmall presents both ...

How much does it cost to develop a kitchen app in Changji?

How much does it cost to develop a Changji cateri...