MVP for Activity with multiple Fragments MVP for Activity with multiple Fragments android android

MVP for Activity with multiple Fragments


The activity/fragments should be considered as just the view in the MVP model. This means that they should just show data and receive user interactions. It is ok to communicate activity and fragments via interface/callbacks.

But, it is not an activity/fragment responsibility to call the API services.

The presenter should be responsible to call the api services.

So, the presenter should expose a method like loadXXX, internally it would make the call to the service. When the response is received, the presenter should call view.showXXX with the results of the service. The activity/fragment should call this loadXXX method and implement the showXXX.

Usually, the presenter is created or injected into the activity/fragment.The activity/fragment has to implement an interface exposed by the presenter, and the presenter holds a weak reference of this interface, so that it can callback.

When the user interacts with the screen, for example, an onClick on a button, the activity/fragment calls the corresponding method in the presenter, e.g. presenter.loadUserDetails() the presenter tells the view to show as loading, e.g. view.showAsLoading() because it has to do its stuff: maybe validating something or loading data from an api service and finally callback with the results to the view, e.g. view.showUserDetails(userDetails).

To summarize, an example, in code of the various parts of MVP:

Activity/Fragment represents just the View of MVP:

public class MyActivity extends AppCompatActivity implements MyPresenter.View {    private MyPresenter mPresenter;    public onCreate() {        ...        mPresenter = new MyPresenter(this); // Or inject it and then set the view.    }    public void onClick(View v) {        mPresenter.loadXXX(param1, param2);    }    // MyPresenter.View methods    public void showAsLoading() {        ...    }    public void showUserDetails(UserDetails userDetails) {        ...    }}

Model:

public class UserDetails {    ...}

Presenter:

public class MyPresenter {    private WeakReference<MyPresenter.View> mWeakView;    public MyPresenter(MyPresenter.View view) {        mWeakView = new WeakReference(view);    }    public void loadXXX(String param1, String param2) {        MyPresenter.View view = mWeakView.get();        if (view != null) {            view.showAsLoading();            // Do stuff, e.g. make the Api call and finally call view.showUserDetails(userDetails);        }    }    interface View {        void showAsLoading();        void showUserDetails(UserDetails userDetails);    }}