Upgrade to Pro — share decks privately, control downloads, hide ads and more …

Architecture Components - IT Talk, Together Wit...

Royce Mars
October 19, 2017

Architecture Components - IT Talk, Together With Google

Slides of my presentation made at IT Talk Dnipro during Architecture Patterns Meetup.
Slides include overview of Software Architecture basics, SOLID and Clean Architecture key principles, overview of Architecture Components by Google - including Paging Library, some code samples and links to Google youtube videos from I/O and GDD, codelabs.

Royce Mars

October 19, 2017
Tweet

More Decks by Royce Mars

Other Decks in Programming

Transcript

  1. Architecture Components Constantine Mars Team Lead, Senior Developer @ DataArt

    Построение современной архитектуры мобильных приложений
  2. App-hopping OS may kill app at random time App components

    lifecycle is not under control Components should not depend on each other Can’t rely on data, stored in components There are Everyday Problems to Solve
  3. -Separation of concerns -Provide solid user experience -Keep UI lean

    and simple -Keep UI free of app logic -Drive UI from model -Use persistent model -Assign clear responsibilities for each model class Common Principles for staying in mind :)
  4. -Modular app -Each class responsible for one well-defined function -Should

    be no god objects -The app should be testable Remember Good Architecture Goals...
  5. “It is impossible to have one way of writing apps

    that will be the best for every scenario. That being said, this recommended architecture should be a good starting point for most use cases. If you already have a good way of writing Android apps, you don't need to change.” Be together. not the same
  6. Purpose: Display data and pass on UI events Neither contain

    the UI data, nor directly manipulate data Examples: Activity, Fragment Views = UI Controllers = LifecycleOwners
  7. ViewModel public class DetailActivityViewModel extends ViewModel { private WeatherEntry mWeather;

    public DetailActivityViewModel() {} public WeatherEntry getWeather() { return mWeather; } public void setWeather(WeatherEntry weatherEntry) { mWeather = weatherEntry; } }
  8. ViewModel and LifecycleOwner public class DetailActivity extends LifecycleActivity { DetailActivityViewModel

    viewModel; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); ... viewModel = ViewModelProviders.of(this).get(DetailActivityViewModel.class); } ...
  9. Represent data needed for the UI to display An observable

    data holder Lifecycle aware Automatic subscription management LiveData
  10. Live Data public class DetailActivityViewModel extends ViewModel { private MutableLiveData<WeatherEntry>

    mWeather; public DetailActivityViewModel() {} public MutableLiveData<WeatherEntry> getWeather() { return mWeather; } public void setWeather(WeatherEntry weatherEntry) { mWeather.postValue(weatherEntry); } }
  11. Live Data observing public class DetailActivity extends LifecycleActivity { DetailActivityViewModel

    viewModel; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); ... viewModel = ViewModelProviders.of(this).get(DetailActivityViewModel.class); viewModel.getWeather().observe(this, weatherEntry -> { if(weatherEntry!=null) { bindWeatherToUI(weatherEntry); } }); }
  12. -Single source of truth -ViewModels simply request data from the

    repository -Is a mediator between the different data sources Repository Image from fernandocejas.com
  13. Manages data from a remote data source, such as the

    internet May use REST, Cloud Remote Network Data Source
  14. Each class in the diagram only stores a reference to

    the class or classes directly "below it" and not any classes above it Layered architecture pattern
  15. -Less boilerplate compared to the built-in APIs -Compile-time validation of

    SQL queries -Data observation via LiveData, RxJava Room ORM purposes
  16. @Entity declaration @Entity(tableName = "weather", indices = {@Index(value = {"date"},

    unique = true)}) public class WeatherEntry { @PrimaryKey(autoGenerate = true) private int id; … }
  17. @Entity constructors //Room constructor public WeatherEntry(int id, int weatherIconId, Date

    date, ...) { //Json constructor - ignored by Room @Ignore public WeatherEntry(int weatherIconId, Date date, // (!) Only one constructor should be exposed to Room ...
  18. Dao

  19. @Dao declaration @Dao public interface WeatherDao { @Query("SELECT * FROM

    weather") List<WeatherEntry> getAll(); @Insert(onConflict = OnConflictStrategy.REPLACE) void insertAll(WeatherEntry... weatherEntries); @Delete void delete(WeatherEntry weatherEntry); }
  20. @Database declaration @Database(entities = {WeatherEntry.class}, version = 1) @TypeConverters(DateConverter.class) public

    abstract class AppDatabase extends RoomDatabase { public abstract WeatherDao weatherDao(); }
  21. @Database - a singleton private static final String DATABASE_NAME =

    "weather"; private static final Object LOCK = new Object(); private static volatile AppDatabase sInstance; public static AppDatabase getInstance(Context context) { if (sInstance == null) { synchronized (LOCK) { if (sInstance == null) { sInstance = Room.databaseBuilder(context.getApplicationContext(), AppDatabase.class, AppDatabase.DATABASE_NAME).build(); } }} return sInstance; }
  22. Type converters class DateConverter { @TypeConverter public static Date toDate(Long

    timestamp) { return timestamp == null ? null : new Date(timestamp); } @TypeConverter public static Long toTimestamp(Date date) { return date == null ? null : date.getTime(); } }
  23. Repository pattern public class WeatherRepository { public synchronized static WeatherRepository

    getInstance(); public synchronized void initializeData(); private void deleteOldData(); private boolean isFetchNeeded(); private void startFetchWeatherService(); }
  24. Repository - fetch data from network mWeatherNetworkDataSource = weatherNetworkDataSource; LiveData<WeatherEntry[]>

    networkData = mWeatherNetworkDataSource.getCurrentWeatherForecasts(); networkData.observeForever(newForecastsFromNetwork -> { mExecutors.diskIO().execute(() -> { mWeatherDao.bulkInsert(newForecastsFromNetwork); Log.d(LOG_TAG, "New values inserted"); }); });
  25. Repository - use LiveData private WeatherNetworkDataSource(Context context, AppExecutors executors) {

    mContext = context; mExecutors = executors; mDownloadedWeatherForecasts = new MutableLiveData<WeatherEntry[]>(); }
  26. Check when to fetch private boolean isFetchNeeded() { Date today

    = CustomDateUtils.getNormalizedUtcDateForToday(); int count = mWeatherDao.countAllFutureWeather(today); return (count < WeatherNetworkDataSource.NUM_DAYS); }
  27. Check when to fetch public synchronized void initializeData() { if

    (mInitialized) return; mInitialized = true; mExecutors.diskIO().execute(() -> { if (isFetchNeeded()) { startFetchWeatherService(); } }); }
  28. And again - observe LiveData public class DetailActivity extends LifecycleActivity

    { DetailActivityViewModel viewModel; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); ... viewModel = ViewModelProviders.of(this).get(DetailActivityViewModel.class); viewModel.getWeather().observe(this, weatherEntry -> { if(weatherEntry!=null) { bindWeatherToUI(weatherEntry); } }); }
  29. Data source KeyedDataSource - if you need to use data

    from item N to fetch item N+1. TiledDataSource - if you need to fetch pages in range of data from any location you choose in your data store
  30. DAO for KeyedDataSource @Dao interface UserDao { @Query("SELECT * from

    user ORDER BY name DESC LIMIT :limit") public abstract List<User> userNameInitial(int limit); @Query("SELECT * from user WHERE name < :key ORDER BY name DESC LIMIT :limit") public abstract List<User> userNameLoadAfter(String key, int limit); @Query("SELECT * from user WHERE name > :key ORDER BY name ASC LIMIT :limit") public abstract List<User> userNameLoadBefore(String key, int limit); }
  31. KeyedDataSource implementation public class KeyedUserQueryDataSource extends KeyedDataSource<String, User> { @Override

    public boolean isInvalid() { return super.isInvalid(); } @Override public String getKey(@NonNull User item) { return item.getName(); } @Override public List<User> loadInitial(int pageSize) { return mUserDao.userNameInitial(pageSize); } @Override public List<User> loadBefore(@NonNull String userName, int pageSize) { return mUserDao.userNameLoadBefore(userName, pageSize); } @Override public List<User> loadAfter(@Nullable String userName, int pageSize) { return mUserDao.userNameLoadAfter(userName, pageSize); } }
  32. TiledDataSource implementation @Dao interface UserDao { @Query("SELECT * FROM user

    ORDER BY mAge DESC") public abstract TiledDataSource<User> loadUsersByAgeDesc(); }
  33. TiledDataSource - under the hood @Dao interface UserDao { @Query("SELECT

    COUNT(*) from user") public abstract Integer getUserCount(); @Query("SELECT * from user ORDER BY mName DESC LIMIT :limit OFFSET :offset") public abstract List<User> userNameLimitOffset(int limit, int offset); }
  34. TiledDataSource - under the hood public class OffsetUserQueryDataSource extends TiledDataSource<User>

    { @Override public boolean isInvalid() { return super.isInvalid(); } @Override public int countItems() { return mUserDao.getUserCount(); } @Override public List<User> loadRange(int startPosition, int loadCount) { return mUserDao.userNameLimitOffset(loadCount, startPosition); } }
  35. Paging Library - PagedList DataSource PagedList - loads its data

    in chunks (pages) from a DataSource PagedListAdapter LivePagedListProvider
  36. Paging Library - LivePagedListProvider DataSource PagedList PagedListAdapter - listens to

    PagedList loading callbacks as pages are loaded, and uses DiffUtil on a background thread to compute fine grained updates as new PagedLists are received. LivePagedListProvider - provides a LiveData<PagedList>, given a means to construct a DataSource
  37. LivePagedListProvider generation by DAO @Dao interface UserDao { @Query("SELECT *

    FROM user ORDER BY lastName ASC") public abstract LivePagedListProvider<Integer, User> usersByLastName(); }
  38. Paging Library - PagedListAdapter DataSource PagedList PagedListAdapter - listens to

    PagedList loading callbacks as pages are loaded, and uses DiffUtil on a background thread to compute fine grained updates as new PagedLists are received. LivePagedListProvider
  39. PagedListAdapter usage pattern - DAO @Dao interface UserDao { @Query("SELECT

    * FROM user ORDER BY lastName ASC") public abstract LivePagedListProvider<Integer, User> usersByLastName(); }
  40. PagedListAdapter usage pattern - PagedList.Config class MyViewModel extends ViewModel {

    public final LiveData<PagedList<User>> usersList; public MyViewModel(UserDao userDao) { usersList = userDao.usersByLastName().create( /* initial load position */ 0, new PagedList.Config.Builder() .setPageSize(50) .setPrefetchDistance(50) .build()); } }
  41. PagedListAdapter usage pattern - binding class MyActivity extends AppCompatActivity {

    @Override public void onCreate(Bundle savedState) { super.onCreate(savedState); MyViewModel viewModel = ViewModelProviders.of(this).get(MyViewModel.class); RecyclerView recyclerView = findViewById(R.id.user_list); UserAdapter<User> adapter = new UserAdapter(); viewModel.usersList.observe(this, pagedList -> adapter.setList(pagedList)); recyclerView.setAdapter(adapter); } }
  42. PagedListAdapter implementation class UserAdapter extends PagedListAdapter<User, UserViewHolder> { public UserAdapter()

    { super(DIFF_CALLBACK); } @Override public void onBindViewHolder(UserViewHolder holder, int position) { User user = getItem(position); if (user != null) { holder.bindTo(user); } else { holder.clear(); } } ...
  43. PagedListAdapter implementation class UserAdapter extends PagedListAdapter<User, UserViewHolder> { ... public

    static final DiffCallback<User> DIFF_CALLBACK = new DiffCallback<User>() { @Override public boolean areItemsTheSame( @NonNull User oldUser, @NonNull User newUser) { return oldUser.getId() == newUser.getId(); } @Override public boolean areContentsTheSame( @NonNull User oldUser, @NonNull User newUser) { return oldUser.equals(newUser); } } }
  44. What if... I use RxJava? I already have MVP? I

    love Kotlin? I’m working on legacy project? Typical questions
  45. Guide to App Architecture https://developer.android.com/topic/libraries/architecture/guide.html Architecture Components https://developer.android.com/topic/libraries/architecture/index.html I/O ‘17

    Architecture Components Introduction - https://youtu.be/FrteWKKVyzI Solving the Lifecycle Problem - https://youtu.be/bEKNi1JOrNs Persistence and Offline - https://youtu.be/MfHsPGQ6bgE Architecture Components on GDD Europe - https://youtu.be/Ts-uxYiBEQ8 GDD Europe CodeLabs g.co/codelabs/gdd17 Google Github samples https://github.com/googlesamples/android-architecture-components What to read and watch :)
  46. Android MVP Helper https://github.com/Ufkoku/AndroidMVPHelper Moxy https://github.com/Arello-Mobile/Moxy Mosby https://github.com/sockeqwe/mosby Clean Architecture

    https://github.com/android10/Android-CleanArchitecture Reark https://github.com/reark/reark MVP + Dagger2 + Rx https://android.jlelse.eu/mvp-dagger-2-rx-clean-modern-android-app-code-74f63c9a6f2f Architecture the Lost Years by Uncle Bob https://youtu.be/WpkDN78P884 Alternatives to consider