Latest news about Bitcoin and all cryptocurrencies. Your daily crypto news habit.
When building out applications, itâs not uncommon to have a commenting feature. With live commenting, comments added will update in realtime across all devices without the user refreshing the page. Applications like Facebook already have this feature.
In this post, we will build a basic commenting application. We will assume that the user is leaving a comment to a make-believe post. Here is a screen recording of what we will be building:
Requirements
To follow along in this tutorial you will need the following requirements:
- Knowledge of the Kotlin programming language.
- Android Studio 3.0 installed. Download here.
- A Pusher application. Create one here.
- IntelliJ IDEA installed. Download here.
When you have all the requirements letâs start.
Create new application on Pusher
Log into your Pusher dashboard, select apps on the left navigation bar and create a new app. Input your app name (test-app in my own case), select a cluster (euâââIreland in my case).
When you have created the Pusher app, we will move on to creating our Kotlin application.
Creating our Android project with Kotlin support
Open android studio, create a new project. Insert the name of your app and Company domain name then select the âinclude kotlin supportâ checkbox to enable Kotlin in the project.
For this article, we will set the minimum supported Android version at 4.03 (API 15). Next, choose an empty activity template and click on Finish.
Getting the client ready
Add the pusher dependency in your app build.gradle file:
implementation 'com.pusher:pusher-java-client:1.5.0'
Our layout file will contain:
- A recycler view (to display the comments).
- An edit-text view (to input our message).
- A button (to trigger an action to send a message).
A default project is created with the recycler view dependencies, however, look out for this dependency:
implementation 'com.android.support:design:26.1.0'
and if you donât find it, add it.
Here is our layout snippet:
<?xml version="1.0" encoding="utf-8"?> <RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas.android.com/tools" android:layout_width="match_parent" android:layout_height="match_parent">
<android.support.v7.widget.RecyclerView android:id="@+id/recycler_view" android:layout_width="match_parent" android:layout_height="match_parent" /> <FrameLayout android:layout_width="match_parent" android:layout_height="?attr/actionBarSize" android:layout_alignParentBottom="true"> <LinearLayout android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="horizontal"> <EditText android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_weight="1" /> <Button android:id="@+id/button_send" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="Send" /> </LinearLayout> </FrameLayout> </RelativeLayout>
This is what our app looks like at the moment. It is very bare with no comments yet:
We then create a recycler view adapter class named RecyclerViewAdapter.kt . This adapter is a class that handles the display of items in a list.
Paste the code below into our new class:
class RecyclerViewAdapter (private val mContext: Context) :RecyclerView.Adapter<RecyclerViewAdapter.MyViewHolder>() {
// The initial empty list used by the adapter private var arrayList: ArrayList<String> = ArrayList()
// This updates the adapter list with list from MainActivity.kt which contains the messages. fun setList(arrayList: ArrayList<String>) { this.arrayList = arrayList notifyDataSetChanged() }
// The layout design used for each list item override fun onCreateViewHolder(parent: ViewGroup, viewType: Int): MyViewHolder { val view = LayoutInflater.from(mContext).inflate(android.R.layout.simple_list_item_1, parent, false) return MyViewHolder(view) }
// This displays the text for each list item override fun onBindViewHolder(holder: RecyclerViewAdapter.MyViewHolder, position: Int) { holder.text.setText(arrayList.get(position)) }
// This returns the size of the list. override fun getItemCount(): Int { return arrayList.size }
inner class MyViewHolder(itemView: View) : RecyclerView.ViewHolder(itemView),
View.OnClickListener { var text: TextView = itemView.findViewById<View>(android.R.id.text1) as TextView init { itemView.setOnClickListener(this) }
override fun onClick(view: View) {
} } }
We will need the Retrofit library (a âtype-safe HTTP clientâ) to enable us send messages to our remote server which we will build later on.
After adding the retrofit dependencies, your app build.gradle file should look like this:
apply plugin: 'com.android.application' apply plugin: 'kotlin-android' apply plugin: 'kotlin-android-extensions'
android { compileSdkVersion 26 defaultConfig { applicationId "com.example.android.pushersample" minSdkVersion 15 targetSdkVersion 26 versionCode 1 versionName "1.0" testInstrumentationRunner "android.support.test.runner.AndroidJUnitRunner" } buildTypes { release { minifyEnabled false proguardFiles getDefaultProguardFile('proguard-android.txt'), 'proguard-rules.pro' } } }
dependencies { implementation fileTree(dir: 'libs', include: ['*.jar']) implementation "org.jetbrains.kotlin:kotlin-stdlib-jre7:$kotlin_version" implementation 'com.android.support:appcompat-v7:26.1.0' implementation 'com.android.support:design:26.1.0'
// pusher depencency implementation 'com.pusher:pusher-java-client:1.5.0'
// retrofit dependencies implementation 'com.squareup.retrofit2:retrofit:2.3.0' implementation 'com.squareup.retrofit2:converter-scalars:2.3.0' implementation 'com.squareup.retrofit2:converter-gson:2.3.0'
// testing dependencies testImplementation 'junit:junit:4.12' androidTestImplementation 'com.android.support.test:runner:1.0.1' androidTestImplementation 'com.android.support.test.espresso:espresso-core:3.0.1' }
Next, create an API Interface file in the src/main/kotlin folder called ApiService.kt. This interface is used to define endpoints to be used during network calls. For this application, we will create just one endpoint:
interface ApiService { @GET("/{message}") fun sendMessage(@Path("message") title: String):Call<String> }
Create a Retrofit Client class in the src/main/kotlin folder called RetrofitClient.kt. This class gives us an instance of Retrofit for our network calls:
class RetrofitClient { fun getClient(): ApiService { val httpClient = OkHttpClient.Builder()
val builder = Retrofit.Builder() .baseUrl("http://10.0.2.2:5000/") .addConverterFactory(ScalarsConverterFactory.create()) .addConverterFactory(GsonConverterFactory.create())
val retrofit = builder .client(httpClient.build()) .build()
return retrofit.create(ApiService::class.java) } }
đĄ We are using the address 10.0.2.2 because this is how the Android default emulator recognises localhost. So the IP address refers to a local server running on your machine.
We now move to our MainActivity.kt file and update it with the methods below:
override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
// list to hold our messages var arrayList: ArrayList<String> = ArrayList()
// Initialize our adapter val adapter = RecyclerViewAdapter(this)
// assign a layout manager to the recycler view recycler_view.layoutManager = LinearLayoutManager(this)
// assign adapter to the recycler view recycler_view.adapter = adapter
// Initialize Pusher val options = PusherOptions() options.setCluster("PUSHER_APP_CLUSTER") val pusher = Pusher("PUSHER_APP_KEY", options)
// Subscribe to a Pusher channel val channel = pusher.subscribe("my-channel")
// this listener recieves any new message from the server channel.bind("my-event") { channelName, eventName, data -> val jsonObject = JSONObject(data) arrayList.add(jsonObject.getString("message")) runOnUiThread { adapter.setList(arrayList) } } pusher.connect()
// We check for button clicks and if any text was inputed, we send the message button_send.setOnClickListener(View.OnClickListener { if (edit_text.text.length>0) { sendMessage(edit_text.text.toString()) } })
} // end of onCreate method
fun sendMessage(message:String) { val call = RetrofitClient().getClient().sendMessage(message)
call.enqueue(object : Callback<String> { override fun onResponse(call: Call<String>, response: Response<String>) { edit_text.setText("") hideKeyboard(this@MainActivity) } override fun onFailure(call: Call<String>, t: Throwable) {
} }) } // end of sendMessage method
fun hideKeyboard(activity: Activity) { val imm = activity.getSystemService(Activity.INPUT_METHOD_SERVICE) as InputMethodManager
// Find the currently focused view, so we can grab the correct window token from it. var view = activity.currentFocus
// If no view currently has focus, create a new one, just so we can grab a window token from it if (view == null) { view = View(activity) }
imm.hideSoftInputFromWindow(view.windowToken, 0) } // end of hideKeybnoard method
â ïž You will need to replace the PUSHER_APP_* keys with the credentials found in your Pusher application dashboard.
In the onCreate method, we initialised the list to hold the messages, the recycler view adapter to handle the display of items on the list, and assigned the recycler view accordingly.
We then initialised PusherOptions and Pusher objects with the necessary parameters. Remember to set the Pusher objects first parameter with your own app key. Your app keys can be found on the App Keys tab of the app you created. If you have forgotten the cluster you chose when creating the app, you can also find it there.
Next, we create a listener for events on that channel. When a new message is received, it will be added to our list and the updated list will be assigned to our adapter so that it can be displayed immediately.
Finally, we added a listener to the button in our layout to enable us send messages. After messages are successfully sent, we clear the text and hide the keyboard.
Next up is to add the Internet permission in your AndroidManifest.xml file. Update the file with the code snippet below:
<uses-permission android:name="android.permission.INTERNET"/>
With this change, we are done building our client application.
Building our Kotlin backend server
Our server will be built with Kotlin and hosted locally. You can follow the steps below to quickly get your server running.
Create a new Gradle based Kotlin project in IntelliJÂ IDEA.
Enter a âgroupIdâ for your app. A groupId can be a package name and itâs usually something like âcom.exampleâ.
Next, enter an âartifactIdâ, itâs usually something like âpusher-serverâ
In our project build.gradle file, we will add Ktor and pusher server dependencies. Ktor is a framework for building servers and clients in connected systems using the Kotlin programming language.
Here is our complete build.gradle file which includes all the dependencies we need:
group 'com.example' version '1.0-SNAPSHOT'
buildscript { // dependency version variables ext.kotlin_version = '1.1.4-3' ext.ktor_version = '0.2.4' repositories { mavenCentral() } dependencies { classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version" } }
apply plugin: 'application' apply plugin: 'kotlin'
sourceCompatibility = 1.8
repositories { mavenCentral() maven { url 'http://dl.bintray.com/kotlin/kotlinx.support' } maven { url 'http://dl.bintray.com/kotlin/ktor' } }
mainClassName = 'org.jetbrains.ktor.jetty.DevelopmentHost'
dependencies { compile "org.jetbrains.kotlin:kotlin-stdlib-jre8:$kotlin_version" // ktor dependencies compile "org.jetbrains.ktor:ktor-core:$ktor_version" compile "org.jetbrains.ktor:ktor-locations:$ktor_version" runtime "org.jetbrains.ktor:ktor-jetty:$ktor_version" // pusher server dependency compile "com.pusher:pusher-http-java:1.0.0" testCompile group: 'junit', name: 'junit', version: '4.12' }
compileKotlin { kotlinOptions.jvmTarget = "1.8" }
compileTestKotlin { kotlinOptions.jvmTarget = "1.8" }
In your src/main/kotlin folder, create a Main.kt file and insert this snippet:
fun Application.main() {
val pusher = Pusher("PUSHER_APP_ID", "PUSHER_APP_KEY", "PUSHER_APP_SECRET") pusher.setCluster("PUSHER_APP_CLUSTER")
install(DefaultHeaders) install(CallLogging) install(Routing) { get("/{message}") { val i = call.parameters["message"]!! pusher.trigger("my-channel", "my-event", Collections.singletonMap("message", i)) call.respond("response sent") }
} }
â ïž You will need to replace the PUSHER_APP_* keys with the credentials found in your Pusher application dashboard.
In the above snippet, we have defined a route that handles new messages. When a message is received, it sends the message to the Pusher channel so it can be picked up by any event listeners on the same channel.
Next, open the src/main/resources/application.conf file and set the port to 5000. If the file does not exist, create it and insert this snippet:
ktor { deployment { environment = development port = 5000 }
application { modules = [com.example.MainKt.main] } }
This file allows you configure the server parameters.
After that, open the Terminal on the IDE, and type ./gradlew run to run the server. To test your server, open http://localhost:5000/message and you should see a display saying âresponse sentâ.
Now weâre done with everything. We can make comments and receive updates with no stress, thanks to Pusher.
Conclusion
In this article, we have demonstrated how to work with Pusher and Kotlin while creating the commenting system. It is a very simple implementation and, of course, you can do more. I am curious to see what you will come up with.
This post was first published to Pusher
Build live comments using Kotlin was originally published in Hacker Noon on Medium, where people are continuing the conversation by highlighting and responding to this story.
Disclaimer
The views and opinions expressed in this article are solely those of the authors and do not reflect the views of Bitcoin Insider. Every investment and trading move involves risk - this is especially true for cryptocurrencies given their volatility. We strongly advise our readers to conduct their own research when making a decision.