SDK Guides
...
Kotlin
Task App Tutorials for Kotlin

Jetpack Compose: Defining UI

kotlin android task tutorial walkthrough example jetpack compose



Once you've completed the prerequisite steps, build the UI for your task app with Jetpack Compose:

Prerequisites

1

Create your Ditto account and app. (Onboarding)

2

Install the required prerequisites. (Prerequisites - Kotlin)

3

Install the latest version of Android Studio Arctic Fox.

Install and Set Up

1

Create the App

  1. Click File and select New Project.
  2. From the New Project modal, enter the following:

While recommended, the following values are not essential for completing this tutorial.

  • Name: "Tasks"
  • Package Name: "live.ditto.tasks"
  • Save location: choose a directory
  • Minimum SDK: "API 23: Android 6 (Marshmallow)"

3. Finally, click Finish and wait for Android Studio to set up the project.

Document image

Document image




2

Install Ditto

Android requires requesting permission to use Bluetooth Low Energy and WiFi Aware.

Follow the Kotlin Installation Environment Setup and Android Platform Permissions Setup sections to setup your Android environment.

3

Add Jetpack Compose Dependencies

In your app Module build.gradle file, add the additional dependencies.

build.gradle

4

Add Vector Icons

We will need a couple of additional icons to show the tasks' completed, and incompleted states. We will reference these vector resources in our code later.

Right-click res > drawable and add a new Vector Asset:

Document image


Click the "add" icon and select it for size `24`

Document image


Repeat the previous steps for adding:

  • a circle_filled (icon name: "Brightness 1")
  • circle_outline (icon name: "Panorama fish eye")
Document image

Document image


You should have have 3 additional drawables with the following names:

  • ic_baseline_add_24.xml
  • ic_baseline_brightness_1_24.xml
  • ic_outline_panorama_fish_eye_24.xml



Configure Ditto

1

Create Application Class

Typically, applications with Ditto will need to run Ditto as a singleton. To construct Ditto it'll need access to a live Android Context. Since the Application class is a singleton and has the necessary Context, we can create a subclass called TasksApplication.kt.

  1. Add a companion object and declare var ditto: Ditto? = null. This will create a static variable that we can always access throughout our entire application.
  2. In the override fun onCreate(), construct Ditto with DefaultAndroidDittoDependencies as follows:
TasksApplication.kt


Now you will be able to access this Ditto anywhere in your application like so:

Kotlin

2

Start Ditto Sync

When Android Studio created the project, it should have created a file called MainActivity.kt. In this file, we will take the singleton TasksApplication.ditto!! and begin to start the sync process with startSync()

The app will show a Toast error if startSync encounters a mistake. Don't worry if an error occurs or if you omit this step, Ditto will continue to work as a local database. However, it's advised that you fix the errors to see the app sync across multiple devices.

MainActivity

3

Create a Task Data Class

Ditto is a document database, which represents all of its rows in the datastore in a JSON-like structure. In this tutorial, we will define each task like so:

Text


These Task documents will all be in the "tasks" collection. We will be referencing this collection throughout this tutorial with:

Kotlin


Ditto documents have a flexible structure. Oftentimes, in strongly-typed languages like Kotlin, we will create a data structure to give more definition to the app.

Create a new Kotlin file called Task.kt in your project.

Kotlin


This data class takes a DittoDocument and safely parses out the values into native Kotlin types. We also added an additional constructor that allows for us to preview data without requiring DItto.

So now in our application if we want a List<Task> we write the following code:

Kotlin


Once we set up our user interface, you'll notice that reading these values becomes a bit easier with this added structure.

Navigation

1

Creating a Root Navigation

This application will have two Screens which are just Jetpack Compose views.

  1. TasksListScreen.kt - A list where we can show the tasks.
  2. EditScreen.kt - Where we can edit, create, and delete the Task

Create a file called Root.kt file and add a Navigation Controller and a NavHost to the Root of our application.

You'll notice references to TasksListScreen and EditScreen, don't worry we will add them there.

The Root of our application hosts a navController which we use to switch between each Screen. There are 3 routes:

  1. tasks which will bring you the TasksListScreen
  2. tasks/edit which will bring you the EditScreen but will be for creating tasks. Notice that we will give a null to the taskId. This same screen will be in a "create" mode if the taskId is null
  3. tasks/edit/{taskId} which will bring you the EditScreen but will be for editing tasks. Notice that there is a "{taskId}" portion to this route. Similar to web apps, we will parse out a Task._id string from the route and use that for editing.
Root.kt




2

Setting the MainAcivity to render Root

Now back in the MainAcivity.kt file look for setContent{ } and replace it completely with the following highlighted lines.

Kotlin


Show the List of Tasks

In the last part of the tutorial, we referenced a class called TasksListScreen. This screen will show a List<Task> using a JetPack Compose Column.

1

Create a TaskRow views

Each row of the tasks will be represented by a @Composable TaskRow which takes in a Task and two callbacks which we will use later.

  1. If the task.isCompleted is true, we will show a filled circle icon and a strike through style for the body.
  2. If the task.isCompleted is false, we will show a filled circle icon and a strike-through style for the body.
  3. If the user taps the Icon, we will call a onToggle: ((task: Task) -> Unit)?, we will reverse the isCompleted from true to false or false to true
  4. If the user taps the Text, we will call a onClickBody: ((task: Task) -> Unit)?. We will use this to navigate to the EditScreen

For brevity, we will skip discussions on styling as it's best to see the code snippet below:

We've also included included a @Preview TaskRowPreview which allows you to quickly see the end result with some test data.

Document image

TaskRow.kt




2

Create a @Composable TaskList

Next, we will need to show a List<Task> by looping over it and creating a TaskRow for each element. This gives us a scrollable list behavior.

  1. The TaskList takes in a List<Task> and loops over it in a Column with a .forEach loop.
  2. Each iteration of the loop will render a Task(task)
  3. We've also added onClickBody and onToggle callback that matches the Task.onClickBody and Task.onToggle functions.

We've also included a TaskListPreview so that you can add some test data.

Kotlin

3

Create a @Composable TasksListScreenViewModel

The entire screen's data will be completely controlled by a Jetpack Compose ViewModel. The use of ViewModel is a design pattern called MVVM or Model View ViewModel which strives to separate all data manipulation (Model and ViewModel) and data presentation (UI or View) into distinct areas of concern. When it comes to Ditto, we recommend that you never include references to ditto in @Composable types. All interactions with ditto for insert, update, find, remove and observeLocal should be within a ViewModel.

  1. Now create a new file called TasksListScreenViewModel.kt
  2. Add a property called val tasks: MutableLiveData<List<Task>> = MutableLiveData(emptyList()). This will house all of our tasks that the TasksListScreen can observeLocal for changes. When any MutableLiveData type changes, Jetpack Compose will intelligently tell @Composable types to reload with the necessary changes.
  3. Create a liveQuery and subscription by observing/subscribing to all the tasks documents. Remember our Task data class that we created? We will now map all the DittoDocument to a List<Task> and set them to the tasks.
  4. Ditto's DittoLiveQuery and DittoSubscription types should be disposed by calling close() once the ViewModel is no longer necessary. For a simple application, this isn't necessary but it's always good practice once you start building more complex applications.
TasksListScreenViewModel.kt


One of the features that we added to the TaskRow is to toggle the isCompleted flag of the document once a user clicks on the circle Icon. We will need to hook this functionality up to edit the Ditto document.

This toggle function will take the task, find it by its _id and switch its isCompleted value to the opposite value.

TasksListScreenViewModel.kt


Notice that we DO NOT HAVE TO manipulate the tasks value. Calling update will automatically fire the liveQuery to update the tasks. You can always trust the liveQuery to immediately update the val tasks: MutableLiveData<List<Task>>. There is no reason to poll or force reload. Ditto will automatically handle the state changes.

4

Create the TasksListScreen

Finally, let's create the TasksListScreen. This @Composable is where the navController, TasksListScreenViewModel and TaskList all come together.

The following code for TasksListScreen is rather small but a lot of things are happening. Follow the steps and look for the appropriate comments that line up to the numbers below:

  1. The TasksListScreen takes a navController as a parameter. This variable is used to navigate to EditScreen depending on if the user clicks a floatingActionButton or a TasksListScreen.onClickBody. See the navigation section for more information on the routes
  2. Create a reference to the TasksListScreenViewModel with val tasksListViewModel: TasksListScreenViewModel = viewModel();
  3. Now let's tell the @Composable to observe the viewModel.tasks as State object with val tasks: List<Task> by tasksListViewModel.tasks.observeAsState(emptyList()). The syntax by and function observeAsState(emptyList()) will tell the @Composable to subscribe to changes. For more information about observeAsState and ViewModel, click here.
  4. We'll add a TopAppBar and ExtendedFloatingActionButton along with our TaskList all wrapped in a Scaffold view. Scaffold are handy ways to layout a more "standard" Android screen. Learn more about Scaffolds here
  5. Set the ExtendedFloatingActionButton.onClick handler to navigate to the task/edit route of the navController
  6. Use our TaskList inside of the Scaffold.content. Pass the tasks from step 2. into the TaskList
  7. Bind the TaskList.onToggle to the tasksListViewModel.toggle
  8. Bind the TaskList.onClickBody to the navController.navigate("tasks/edit/${task._id}"). This will tell the navController to go the EditScreen (we will create this in the next section)
TasksListScreen.kt


Editing Tasks

Our final screen will be the EditScreen. The EditScreen will be in charge of 3 functions:

  • Editing an existing Task.
  • Creating a Task and inserting it into the tasks collection.
  • Deleting an existing Task.
1

Creating the @Composable EditForm

The EditForm is a simple layout that includes:

  1. A constructor canDelete: Boolean which determines whether or not to show a delete Button.
  2. A body: String and isCompleted: Boolean.
  3. Respective callback parameters for changes in the TextField and save and delete Button (see steps 4 to 6).
  4. An TextField which we use to edit the Task.body.
  5. A Switch which is used to edit the Task.isCompleted.
  6. A Button for saving a task.
  7. A Button for deleting a task.

We've also included a @Preview of the EditForm:

Document image

EditForm.kt

2

Creating the EditScreenViewModel

Like the TasksListScreenViewModel, the EditScreenViewModel is a ViewModel for the EditScreen. Create a file called EditScreenViewModel.kt.

  1. This ViewModel will be given a setupWithTask function that takes in a taskId: String?. If the taskId == null, then the user is attempting to create a Task. If the taskId != null, the user has supplied to the EditScreen a taskId to edit.
  2. If taskId != null, we will fetch a task from Ditto, and assign it to isCompleted: MutableLiveData<Boolean> and body: MutableLiveData<String> and assign canDelete: MutableLiveData<Boolean> to true
  3. We add a save functionality to either .insert or .update into Ditto depending if the _id is null or not.
  4. We add another function, delete, to call .remove
EditScreenViewModel.kt

3

Creating the EditScreen

Just like the TasksListScreen in the previous section, we will now create an EditScreen.kt.

  1. Add a constructor that accepts a navController and a task: String?. See the section on navigation to reference these values.
  2. Create a reference to the EditScreenViewModel
  3. Call setupWithTask with the taskId from the constructor. The EditScreenViewModel will now know if the user is attempting to edit or create a new task.
  4. To help the user show if they are attempting or edit or create, we will show a TopAppBar Text with an appropriate title.
  5. We will call observeAsState on the EditScreenViewModel's MutableLiveData properties and extract the value to feed into our views.
  6. Create a Scaffold with a TopAppBar and content { EditForm... }
  7. Like before, we will bind all the change handlers from the EditForm and the values back to the viewModel
  8. Upon saving or deleting, we will tell the navController to popBackStack, which will cause the app to go back to the TasksListScreen
Kotlin

4

Run the App!

Congratulations you have successfully created a task app using Ditto! 🎉