We're Live onShow your support by spreading the word on

Implement WebSocket in Android to Build Real-time App

Learn how to implement WebSocket in Android to build real-time apps, enabling continuous, two-way communication between client and server for dynamic user interactions..

What are WebSockets?

WebSockets are a protocol providing full-duplex communication channels over a single TCP connection. Unlike the traditional HTTP request-response model, WebSockets enable persistent connections, allowing for real-time data transfer between a client and a server without the need for repeated handshakes. This makes WebSockets ideal for applications that require constant updates, such as live chat, gaming, or stock market monitoring.
WebSockets, a modern web technology, enable two-way interactive communication between a client and a server over a single, long-lived connection. Unlike traditional HTTP, which is request-response based, WebSockets allow for instantaneous data exchange, making them ideal for applications requiring real-time updates, such as chat apps, live notifications, and collaborative tools.
This article will guide you through the essentials of integrating WebSockets into your Android application. We will cover everything from setting up your development environment to implementing a full-fledged WebSocket-based feature. By the end of this guide, you'll have a solid understanding of how to leverage WebSockets to enhance your Android apps with real-time communication capabilities.

Benefits of Using WebSockets in Android

The primary benefits of using WebSockets in Android include:
  • Real-Time Data Exchange: WebSockets facilitate instantaneous communication, essential for apps requiring real-time updates.
  • Efficiency: WebSockets maintain a single, persistent connection, reducing the overhead of multiple HTTP requests.
  • Use Cases: Ideal for chat applications, live notifications, collaborative tools, and real-time data feeds.

Getting Started with Android WebSocket

Setting Up Your Development Environment

Before you start, ensure you have the following prerequisites:
  • Android Studio: The official IDE for Android development.
  • Java/Kotlin: Familiarity with either programming language.
  • Dependencies: Add the necessary WebSocket libraries to your project. Common choices include OkHttp for Java or Java-WebSocket library.
Add the following dependencies to your build.gradle file:

gradle

1implementation 'com.squareup.okhttp3:okhttp:4.9.0'
2implementation 'org.java-websocket:Java-WebSocket:1.5.2'

Basic WebSocket Setup

  1. Create a New Android Project: Open Android Studio and create a new project with an Empty Activity.
  2. Integrate WebSocket Libraries: Ensure your project’s build.gradle includes the necessary WebSocket dependencies.

StepStep-by-Step Implementation Guide to Build Real-time App with WebSocket Android

Step 1: Establishing a WebSocket Connection

To establish a WebSocket connection, initialize a WebSocket instance. Here’s a basic example using OkHttp:

Java

1OkHttpClient client = new OkHttpClient();
2Request request = new Request.Builder().url("ws://yourserver.com/socket").build();
3WebSocketListener listener = new EchoWebSocketListener();
4WebSocket ws = client.newWebSocket(request, listener);
5
6client.dispatcher().executorService().shutdown();
Handle connection success and failure in the EchoWebSocketListener class.

Step 2: Sending Data via WebSocket

Sending a message through WebSocket is straightforward:

Java

1ws.send("Hello, Server!");
This method supports sending both text and binary data.

Step 3: Receiving Data from WebSocket

Override the onMessage method in your WebSocketListener to handle incoming messages:

Java

1@Override
2public void onMessage(WebSocket webSocket, String text) {
3    runOnUiThread(() -> {
4        // Handle the received message
5    });
6}

Step 4: Managing WebSocket Lifecycle

Manage different WebSocket states like open, close, and error:

Java

1@Override
2public void onOpen(WebSocket webSocket, Response response) {
3    // Connection opened
4}
5
6@Override
7public void onClosing(WebSocket webSocket, int code, String reason) {
8    webSocket.close(NORMAL_CLOSURE_STATUS, null);
9    // Connection closing
10}
11
12@Override
13public void onFailure(WebSocket webSocket, Throwable t, Response response) {
14    // Connection failed
15}

Step 5: Securing WebSocket Connections

Implement SSL/TLS to secure WebSocket communication:

Java

1OkHttpClient client = new OkHttpClient.Builder()
2    .sslSocketFactory(sslContext.getSocketFactory(), trustManager)
3    .build();
Use secure WebSocket URLs (wss://) to ensure encrypted communication.

Step 6: Testing and Debugging WebSocket Connections

Utilize tools like wscat for testing WebSocket connections and Android Studio’s debugging tools to troubleshoot issues. Here’s a command to test using wscat:

Shell

1wscat -c ws://yourserver.com/socket

Get Free 10,000 Minutes Every Months

No credit card required to start.

Practical Example

Building a Simple Android Chat Application using WebSockets

In this example, we will build a simple chat application using WebSockets. The app will include functionalities to send and receive messages in real-time.

Complete Code Example

Here’s the complete code for the chat application:

MainActivity.java

Java

1public class MainActivity extends AppCompatActivity {
2    private WebSocket webSocket;
3    private OkHttpClient client;
4    private EditText messageInput;
5    private Button sendButton;
6    private RecyclerView messagesView;
7    private MessagesAdapter messagesAdapter;
8
9    @Override
10    protected void onCreate(Bundle savedInstanceState) {
11        super.onCreate(savedInstanceState);
12        setContentView(R.layout.activity_main);
13
14        messageInput = findViewById(R.id.messageInput);
15        sendButton = findViewById(R.id.sendButton);
16        messagesView = findViewById(R.id.messagesView);
17
18        client = new OkHttpClient();
19        Request request = new Request.Builder().url("ws://yourserver.com/socket").build();
20        EchoWebSocketListener listener = new EchoWebSocketListener();
21        webSocket = client.newWebSocket(request, listener);
22
23        sendButton.setOnClickListener(v -> {
24            String message = messageInput.getText().toString();
25            webSocket.send(message);
26            messageInput.setText("");
27        });
28    }
29
30    private class EchoWebSocketListener extends WebSocketListener {
31        @Override
32        public void onMessage(WebSocket webSocket, String text) {
33            runOnUiThread(() -> messagesAdapter.addMessage(text));
34        }
35    }
36}

activity_main.xml

XML

1<LinearLayout
2    xmlns:android="http://schemas.android.com/apk/res/android"
3    android:layout_width="match_parent"
4    android:layout_height="match_parent"
5    android:orientation="vertical">
6
7    <EditText
8        android:id="@+id/messageInput"
9        android:layout_width="match_parent"
10        android:layout_height="wrap_content"
11        android:hint="Type a message"/>
12
13    <Button
14        android:id="@+id/sendButton"
15        android:layout_width="wrap_content"
16        android:layout_height="wrap_content"
17        android:text="Send"/>
18
19    <RecyclerView
20        android:id="@+id/messagesView"
21        android:layout_width="match_parent"
22        android:layout_height="match_parent"/>
23</LinearLayout>
This example demonstrates how to establish a WebSocket connection, send and receive messages, and update the UI in real-time.

Conclusion

WebSockets provide a powerful solution for real-time communication in Android applications, offering efficiency and seamless data exchange. By following this guide, you now have the knowledge to implement WebSocket functionality in your apps, enhancing user experience with real-time features. Start integrating WebSockets today to keep your applications ahead in the fast-paced digital world.

Want to level-up your learning? Subscribe now

Subscribe to our newsletter for more tech based insights

FAQ