Enterprise Java

Exploring Quarkus WebSockets

This article explores Quarkus WebSockets Next, a powerful way to enable real-time communication in Quarkus applications. Let us delve into understanding Java Quarkus WebSockets next.

1. Introduction Quarkus and WebSockets

1.1 What is Quarkus?

Quarkus is a Kubernetes-native Java framework tailored for GraalVM and OpenJDK HotSpot. It is designed to optimize Java for modern cloud environments and microservices architectures. Quarkus offers lightning-fast startup times, low memory footprints, and efficient resource utilization, making it ideal for microservices, serverless applications, and reactive programming.

1.1.1 Key benefits

Key benefits of Quarkus include:

  • Sub-millisecond startup times with GraalVM native image compilation.
  • Optimized for containerized environments like Kubernetes and OpenShift.
  • Support for imperative and reactive programming models.
  • Built-in extensions for seamless integration with databases, messaging, and security.
  • Live coding and hot reloads for faster development cycles.
  • First-class support for cloud-native applications and microservices architectures.
  • Extensive compatibility with existing Java libraries and frameworks.

To get started with Quarkus, visit the official documentation.

1.2 What are WebSockets?

WebSockets enable full-duplex communication over a single TCP connection, allowing real-time data exchange between clients and servers. Unlike traditional HTTP, which follows a request-response model, WebSockets maintain an open connection, reducing latency and improving responsiveness.

1.2.1 Common use-cases

WebSockets are commonly used in:

  • Chat applications for instant messaging.
  • Live notifications in web and mobile apps.
  • Real-time gaming for smooth multiplayer experiences.
  • Stock market updates with continuous data streams.
  • IoT applications where instant communication is required.
  • Collaborative editing tools like Google Docs.
  • Online auctions where real-time bids must be broadcast instantly.
  • Telemetry and monitoring dashboards that display live data feeds.

To explore WebSocket implementation in Java, refer to Oracle’s WebSocket tutorial.

1.3 Understanding Quarkus WebSockets

Quarkus WebSockets provide a lightweight, efficient way to implement real-time bidirectional communication between a client and a server in Java applications. Built on top of the Quarkus framework, it leverages Jakarta WebSockets to offer a seamless integration for reactive and event-driven applications.

1.3.1 Why Use Quarkus WebSockets?

Quarkus WebSockets provide several advantages for developers building real-time web applications:

  • Efficient bidirectional communication: Unlike traditional HTTP polling, WebSockets maintain a persistent connection, reducing the need for repeated requests and responses.
  • Reduced latency for real-time applications: WebSockets minimize delays by enabling instant data transmission between the client and the server.
  • Built-in support for reactive programming: Quarkus WebSockets integrate well with reactive architectures, making them ideal for event-driven and non-blocking applications.
  • Easy integration with the Quarkus ecosystem: Quarkus WebSockets can be seamlessly used with other Quarkus features such as CDI, RESTEasy, and Hibernate.
  • Scalability and performance: Optimized for cloud-native applications, Quarkus WebSockets work efficiently with Kubernetes and GraalVM, ensuring fast startup times and low memory footprint.

2. Code Example

2.1 Adding Dependencies

To use WebSockets in Quarkus, add the following dependency in pom.xml file:

1
2
3
4
<dependency>
    <groupId>io.quarkus</groupId>
    <artifactId>quarkus-websockets-next</artifactId>
</dependency>

Quarkus provides several built-in extensions that simplify WebSocket development and ensure seamless integration with other frameworks such as RESTEasy, CDI, and SmallRye Reactive Messaging.

2.2 Service Endpoints and Client API

2.2.1 Server Endpoint

Let’s create a WebSocket endpoint in Quarkus.

01
02
03
04
05
06
07
08
09
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
@ServerEndpoint("/chat")
@ApplicationScoped
public class ChatWebSocket {
    private static final Set sessions = Collections.synchronizedSet(new HashSet());
     
    @OnOpen
    public void onOpen(Session session) {
        sessions.add(session);
        System.out.println("New connection: " + session.getId());
    }
     
    @OnMessage
    public void onMessage(String message, Session session) {
        System.out.println("Received: " + message);
        broadcast("Echo: " + message);
    }
     
    @OnClose
    public void onClose(Session session) {
        sessions.remove(session);
        System.out.println("Session closed: " + session.getId());
    }
     
    private void broadcast(String message) {
        for (Session session : sessions) {
            session.getAsyncRemote().sendText(message);
        }
    }
}
2.2.1.1 Code Explanation

This Java code defines a WebSocket server using Jakarta EE annotations. The @ServerEndpoint("/chat") annotation makes it accessible at the /chat URL, and @ApplicationScoped ensures a single instance for all clients. The onOpen method logs new client connections when a WebSocket session starts and adds them to an active sessions list. The onMessage method listens for incoming messages, logs them, and sends a broadcast message to all connected clients. The onClose method logs when a session is closed and removes the client from the active sessions list.

This implementation enables real-time, bidirectional communication between clients and the server, making it useful for chat applications, live data streaming, and collaborative environments.

2.2.2 WebSocket Client

Let’s create a simple WebSocket client in Java:

01
02
03
04
05
06
07
08
09
10
11
12
13
14
15
16
17
18
19
20
21
22
@ClientEndpoint
public class WebSocketClient {
    private Session session;
     
    public void connect() throws Exception {
        WebSocketContainer container = ContainerProvider.getWebSocketContainer();
        session = container.connectToServer(this, new URI("ws://localhost:8080/chat"));
    }
     
    @OnMessage
    public void onMessage(String message) {
        System.out.println("Received from server: " + message);
    }
     
    public void sendMessage(String message) {
        session.getAsyncRemote().sendText(message);
    }
     
    public void close() throws Exception {
        session.close();
    }
}
2.2.2.1 Code Explanation

This Java code defines a WebSocket client using the @ClientEndpoint annotation, enabling communication with a WebSocket server. The connect method establishes a connection to the server at ws://localhost:8080/chat using a WebSocket container. The onMessage method listens for incoming messages from the server and prints them to the console. The sendMessage method sends messages asynchronously to the server. The close method ensures the session is properly closed when no longer needed.

This client facilitates real-time communication, making it suitable for applications like chat systems, live updates, stock market feeds, and collaborative platforms.

2.3 Running and Testing

Start the Quarkus application by running the following command – mvn quarkus:dev and test the WebSocket using a client like websocat:

1
websocat ws://localhost:8080/chat

Once connected, type a message, and the server will echo it back.

1
2
3
4
5
-- Message
Hello, Quarkus!
 
-- Server response
[Server]: Hello, Quarkus!

2.4 Enhancing WebSocket Performance in Quarkus

WebSockets provide a full-duplex communication channel over a single TCP connection, making them ideal for real-time applications. Quarkus offers excellent support for WebSockets, but optimizing their performance requires following best practices.

Below are key optimizations to enhance the efficiency, scalability, and security of WebSockets in Quarkus.

  • Compression: Enable WebSocket compression to reduce message payload sizes.
    1
    2
    3
    4
    5
    6
    7
    8
    @ServerEndpoint(value = "/websocket", decoders = MessageDecoder.class,
        encoders = MessageEncoder.class)
    public class WebSocketEndpoint {
      @OnOpen
      public void onOpen(Session session) {
        session.getUserProperties().put("compression", true);
      }
    }
  • Load Balancing: Use Quarkus with Kubernetes or OpenShift to distribute WebSocket connections.
    01
    02
    03
    04
    05
    06
    07
    08
    09
    10
    11
    12
    13
    14
    apiVersion: networking.k8s.io/v1
    kind: Ingress
    metadata:
      name: websocket-ingress
    spec:
      rules:
      - http:
          paths:
          - path: /websocket
            backend:
              service:
                name: websocket-service
                port:
                  number: 8080
  • Asynchronous Messaging: Use @OnMessage with async processing to prevent blocking operations.
    1
    2
    3
    4
    5
    6
    7
    @OnMessage
    public void onMessage(Session session, String message) {
      CompletableFuture.runAsync(() -> {
        processMessage(message);
        session.getAsyncRemote().sendText("Processed: " + message);
      });
    }
  • Security: Secure WebSockets with JWT authentication or OAuth2 mechanisms.
    01
    02
    03
    04
    05
    06
    07
    08
    09
    10
    @ServerEndpoint(value = "/secure-websocket")
    @RolesAllowed({"USER", "ADMIN"})
    public class SecureWebSocket {
      @OnOpen
      public void onOpen(
          Session session, @Context SecurityContext securityContext) {
        String username = securityContext.getUserPrincipal().getName();
        session.getUserProperties().put("user", username);
      }
    }
  • Monitoring: Integrate with Quarkus Micrometer or Prometheus for real-time monitoring.
    01
    02
    03
    04
    05
    06
    07
    08
    09
    10
    11
    12
    // Add dependency: quarkus-micrometer-registry-prometheus
    @ApplicationScoped
    @ServerEndpoint("/websocket")
    public class MonitoredWebSocket {
      private static final Counter messageCounter =
          Metrics.counter("websocket_messages_total");
     
      @OnMessage
      public void onMessage(String message) {
        messageCounter.increment();
      }
    }

3. Conclusion

Quarkus WebSockets Next provides a seamless way to integrate real-time communication into Java applications. With minimal dependencies and simple annotations, we can build responsive and scalable WebSocket-based systems. This feature enhances application interactivity, making it an essential component for modern cloud-native development.

By leveraging Quarkus’s speed, efficiency, and native support for cloud deployments, developers can create robust, low-latency applications with real-time features such as live chat, notifications, multiplayer gaming, and financial dashboards.

Do you want to know how to develop your skillset to become a Java Rockstar?
Subscribe to our newsletter to start Rocking right now!
To get you started we give you our best selling eBooks for FREE!
1. JPA Mini Book
2. JVM Troubleshooting Guide
3. JUnit Tutorial for Unit Testing
4. Java Annotations Tutorial
5. Java Interview Questions
6. Spring Interview Questions
7. Android UI Design
and many more ....
I agree to the Terms and Privacy Policy

Yatin Batra

An experience full-stack engineer well versed with Core Java, Spring/Springboot, MVC, Security, AOP, Frontend (Angular & React), and cloud technologies (such as AWS, GCP, Jenkins, Docker, K8).
Subscribe
Notify of
guest


This site uses Akismet to reduce spam. Learn how your comment data is processed.

0 Comments
Oldest
Newest Most Voted
Inline Feedbacks
View all comments
Back to top button