SlideShare a Scribd company logo
1 of 50
Download to read offline
JSR 356: Building HTML5
WebSocket Apps in Java
Arun Gupta
Java EE & GlassFish Guy
blogs.oracle.com/arungupta, @arungupta




1   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
The preceding is intended to outline our general product direction. It is intended
        for information purposes only, and may not be incorporated into any contract.
        It is not a commitment to deliver any material, code, or functionality, and should
        not be relied upon in making purchasing decisions. The development, release,
        and timing of any features or functionality described for Oracle s products
        remains at the sole discretion of Oracle.




2   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Agenda


        §  Primer on WebSocket


        §  JSR 356: Java API for WebSocket




3   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Interactive Web Sites


         §  HTTP is half-duplex
         §  HTTP is verbose
         §  Hacks for Server Push
                    –  Polling
                    –  Long Polling
                    –  Comet/Ajax
         §  Complex, Inefficient, Wasteful



4   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
WebSocket to the Rescue


         §  TCP based, bi-directional, full-duplex messaging
         §  Originally proposed as part of HTML5
         §  IETF-defined Protocol: RFC 6455
                    –  Handshake
                    –  Data Transfer
         §  W3C defined JavaScript API
                    –  Candidate Recommendation




5   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
What’s the basic idea ?


         §  Upgrade HTTP to upgrade to WebSocket
                    –  Single TCP connection
                    –  Transparent to proxies, firewalls, and routers
         §  Send data frames in both direction (Bi-directional)
                    –  No headers, cookies, authentication
                    –  No security overhead
                    –  “ping”/”pong” frames for keep-alive
         §  Send message independent of each other (Full Duplex)
         §  End the connection
6   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Establish a connection


                                                                            Handshake Request



                     Client                                                                     Server
                                                                           Handshake Response




7   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Handshake Request


         GET /chat HTTP/1.1

         Host: server.example.com

         Upgrade: websocket

         Connection: Upgrade

         Sec-WebSocket-Key: dGhlIHNhbXBsZSBub25jZQ==

         Origin: http://example.com

         Sec-WebSocket-Protocol: chat, superchat

         Sec-WebSocket-Version: 13 "



8   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Handshake Response


         HTTP/1.1 101 Switching Protocols

         Upgrade: websocket

         Connection: Upgrade

         Sec-WebSocket-Accept: s3pPLMBiTxaQ9kYGzzhZRbK+xOo=

         Sec-WebSocket-Protocol: chat "




9   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Establishing a Connection


                                                                             Handshake Request



                      Client                                                                     Server
                                                                            Handshake Response




                                                                                Connected !


10   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
WebSocket Lifecycle
                                                                            Connected !

                                                                 open                      open


                                                       message
                                                                                           message
                                                            message
                                                       message
                      Client                                                               error     Server


                                                                                           message

                                                                 close


                                                                            Disconnected
11   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
WebSocket API
         www.w3.org/TR/websockets/




12   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Java WebSocket Implementations
                                          Java-WebSocket                    Kaazing WebSocket Gateway
                                                        Grizzly                  WebSocket SDK
                                         Apache Tomcat 7                             Webbit
                                                    GlassFish                      Atmosphere
                                                    Autobahn                      websockets4j
                                              WeberKnecht                       GNU WebSocket4J
                                                           Jetty                      Netty
                                                         JBoss                     TorqueBox
                                              Caucho Resin                       SwaggerSocket
                                                 jWebSocket                          jWamp

13   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Browser Support




14   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.   http://caniuse.com/websockets
JSR 356 Specification


          §  Standard API for creating WebSocket Applications
          §  Transparent Expert Group
                     –  jcp.org/en/jsr/detail?id=356
                     –  java.net/projects/websocket-spec
          §  Now: Early Draft Review
          §  December: Public Draft Review
          §  Will be in Java EE 7
                     –  Under discussion: Client API in Java SE


15   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
JSR 356: Reference Implementation


          §  Tyrus: java.net/projects/tyrus
          §  Originated as WebSocket SDK
                     –  java.net/projects/websocket-sdk
          §  Pluggable Protocol Provider
                     –  Default is Grizzly/GlassFish
                     –  Portable to WebLogic
          §  Integrated in GlassFish 4 Builds



16   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
JSR 356 Expert Group
                                         Jean-Francois Arcand                     Individual
                                                Scott Ferguson              Caucho Technology, Inc
                                                    Joe Walnes               DRW Holdings, LLC
                                                 Minehiko IIDA                  Fujitsu Limited
                                                    Wenbo Zhu                    Google Inc.
                                                     Bill Wigger                     IBM
                                                     Justin Lee                   Individual
                                                Danny Coward                        Oracle
                                              Rémy Maucherat                       RedHat
                                              Moon Namkoong                     TmaxSoft, Inc.
                                                 Mark Thomas                       VMware
                                                      Wei Chen                Voxeo Corporation
                                                  Greg Wilkins                    Individual

17   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Java API for WebSocket Features


          §  Create WebSocket Client/Endpoints
                     –  Annotation-driven (@WebSocketEndpoint)
                     –  Interface-driven (Endpoint)
          §  SPI for extensions and data frames
          §  Integration with Java EE Web container




18   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Touring the APIs




19   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Note: The APIs might change
                                                           before final release !




20   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Hello World and Basics
                                                                              POJO




21   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Hello World

      import javax.net.websocket.annotations.*;

      

      @WebSocketEndpoint("/hello")

      public class HelloBean {

      

                       @WebSocketMessage

                       public String sayHello(String name) {

                           return “Hello “ + name;

                       }

      }"




22   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
WebSocket Annotations

                                    Annotation                               Level                        Purpose

            @WebSocketEndpoint"                                               class   Turns a POJO into a WebSocket Endpoint

            @WebSocketOpen"                                                  method   Intercepts WebSocket Open events

            @WebSocketClose"                                                 method   Intercepts WebSocket Close events

            @WebSocketMessage"                                               method   Intercepts WebSocket Message events

                                                                             method
            @WebSocketPathParam"                                                      Flags a matched path segment of a URI-template
                                                                            parameter

            @WebSocketError"                                                 method   Intercepts errors during a conversation


23   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
@WebSocketEndpoint attributes



                                                                                    Relative URI or URI template
                                    value"                                     e.g. /hello or /chat/{subscriber-level}

                              decoders"                                          list of message decoder classnames

                              encoders"                                          list of message encoder classnames

                     subprotocols"                                          list of the names of the supported subprotocols




24   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Custom Payloads


          @WebSocketEndpoint(

              value="/hello",

              encoders={MyMessage.class},

              decoders={MyMessage.class}

          )

          public class MyEndpoint {

              . . .

          }"
          "
          "
25   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Custom Payloads – Text

          public class MyMessage implements Decoder.Text<MyMessage>,
          Encoder.Text<MyMessage> {

            private JsonObject jsonObject;

          

                 public MyMessage decode(String s) {

                   jsonObject = new JsonReader(new StringReader(s)).readObject();

                   return this;"
                 }"
                 public boolean willDecode(String string) {

                    return true; // Only if can process the payload

                 }"
          "
                 public String encode(MyMessage myMessage) {

                    return myMessage.jsonObject.toString();

                 }

          }"
26   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Custom Payloads – Binary

          public class MyMessage implements Decoder.Binary<MyMessage>,
          Encoder.Binary<MyMessage> {

          

                 public MyMessage decode(byte[] bytes) {

                   . . .

                   return this;"
                 }"
                 public boolean willDecode(byte[] bytes) {

                    . . .

                    return true; // Only if can process the payload

                 }"
          "
                 public byte[] encode(MyMessage myMessage) {

                    . . .

                 }

          }"
27   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Chat Sample


          @WebSocketEndpoint("/chat")"
          public class ChatBean {"
                        Set<Session> peers = Collections.synchronizedSet(…);

          

                        @WebSocketOpen

                        public void onOpen(Session peer) {

                            peers.add(peer);

                        }

          

                        @WebSocketClose

                        public void onClose(Session peer) {

                            peers.remove(peer);

                        }

          

                        . . ."
28   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Chat Sample


                        . . .

          

                        @WebSocketMessage"
                        public void message(String message, Session client) {"
                                     for (Session peer : peers) {

                                         peer.getRemote().sendObject(message);

                                     }

                        }

          }"




29   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
URI Template Matching


          §  Level 1 only


            @WebSocketEndpoint(“/orders/{order-id}”)

            public class MyEndpoint {

              @WebSocketMessage

              public void processOrder(

                 @WebSocketPathParam(“order-id”)String orderId) {

                 . . .

              }

            }

30   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Which methods can be @WebSocketMessage ?


          §  A parameter type that can be decoded in incoming message
                     –  String, byte[], ByteBuffer or any type for which there is a decoder
          §  An optional Session parameter
          §  0..n String parameters annotated with
              @WebSocketPathParameter"
          §  A return type that can be encoded in outgoing message
                     –  String, byte[], ByteBuffer or any type for which there is a encoder




31   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
WebSocket Subprotocols


          §  Facilitates application layer protocols
          §  Registered in a Subprotocol Name Registry
                     –  Identifier, Common name, Definition
                     –  www.iana.org/assignments/websocket/websocket.xml#subprotocol-name

          §  4 officially registered
                     –  Message Broker (2 versions)
                     –  SOAP
                     –  WebSocket Application Messaging Protocol (WAMP)
                                  §  RPC, PubSub
32   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Packaging – Java EE Style

        §  Client side
             §  Classes + resources packaged as a JAR


        §  Web Container
                     §  Classes + resources packaged in a WAR file




33   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Hello World and Basics
                                                                            Non-POJO




34   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Hello World Server
     import javax.net.websocket.*;"
     "
     public class HelloServer extends Endpoint {

        @Override

        public void onOpen(Session session) {

           session.addMessageHandler(new MessageHandler.Text() {

             public void onMessage(String name) {

                try {

                   session.getRemote().sendString(“Hello “ + name);

                } catch (IOException ex) {

                }

             }          

           });

        }

     }"
35   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Server Configuration - Bootstrap

     URI serverURI = new URI("/hello");

     ServerContainer serverContainer = 

         ContainerProvider.getServerContainer();

     Endpoint helloServer = new HelloServer();

     ServerEndpointConfiguration serverConfig = 

         new DefaultServerConfiguration(serverURI);

     serverContainer.publishServer(helloServer, serverConfig);"




     Recommended in ServletContextListener                                  *"


36   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Hello World Client

     import javax.net.websocket.*;"
     "
     public class HelloClient extends Endpoint {

        @Override

        public void onOpen(Session session) {

           try {

              session.getRemote().sendString("Hello you !");

           } catch (IOException ioe) {

              // . . .        

           }

        }

     }"

37   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Server and Client Configuration


          §  Server
                     –  URI matching algorithm
                     –  Subprotocol and extension negotiation
                     –  Message encoders and decoders
                     –  Origin check
                     –  Handshake response
          §  Client
                     –  Requested subprotocols and extensions
                     –  Message encoders and decoders

38
                     –  Request URI
     Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Main API Classes: javax.net.websocket.*


          §  Endpoint: Intercepts WebSocket lifecycle events


          §  MessageHandler: Handles all incoming messages for an Endpoint


          §  RemoteEndpoint: Represents the ‘other end’ of this conversation


          §  Session: Represents the active conversation




39   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Sending the Message
Whole string *                                             RemoteEndpoint"      sendString(String message)"

Binary data *                                              RemoteEndpoint"      sendString(ByteBuffer message)"

String fragments                                           RemoteEndpoint"      sendPartialString(String part, boolean last)"

                                                                                sendPartialData(ByteBuffer part, boolean
Binary data fragments                                      RemoteEndpoint"
                                                                                last)"

Blocking stream of text                                    RemoteEndpoint"      Writer getSendWriter())"

Blocking stream of binary
                          RemoteEndpoint"                                       OutputStream getSendStream()"
data

Custom object of type T * RemoteEndpoint<T>" sendObject(T customObject)"

                                                                               * additional flavors: by completion, by future
   40   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Receiving the Message
Whole string                                          MessageHandler.Text"            onMessage(String message)"

Binary data                                           MessageHandler.Binary"          onMessage(ByteBuffer message)"

                                                                                      onMessage(String part, boolean
String fragments                                      MessageHandler.AsyncText"
                                                                                      last)"
                                                                                      onMessage(ByteBuffer part,
Binary data fragments                                 MessageHandler.AsyncBinary"
                                                                                      boolean last)"

Blocking stream of text                               MessageHandler.CharacterStream" onMessage(Reader r)"

Blocking stream of
                                                      MessageHandler.BinaryStream"    onMessage(InputStream r)"
binary data

Custom object of type T MessageHandler.DecodedObject<T>" onMessage(T customObject)"


   41   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Relationship with Servlet 3.1


          §  Allows a portable way to upgrade HTTP request
          §  New API
                     –  HttpServletRequest.upgrade(ProtocolHandler
                            handler)"




42   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Security


          §  Authenticates using Servlet security mechanism during opening
                handshake
                     –  Endpoint mapped by ws:// is protected using security model defined
                            using the corresponding http:// URI
          §  Authorization defined using <security-constraint>"
                     –  TBD: Add/reuse security annotations
          §  Transport Confidentiality using wss://"
                     –  Access allowed over encrypted connection only



43   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
API TODO
         Lots …


          §  Refactoring/renaming
                     –  Class naming, fluency
                     –  Collapse MessageHandlers
                     –  Re-org/rename annotations
          Use of @WebSocketEndpoint on Endpoint instead of
          ServerConfiguration API
          §  More knobs and dials on POJO
          §  Exception handling
          §  Integration with Java EE
44   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
How to view WebSocket messages ?
         Capture traffic on loopback




45   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
How to view WebSocket messages ?
         chrome://net-internals -> Sockets -> View live sockets




46   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Resources


          §  Specification
                     –  JSR: jcp.org/en/jsr/detail?id=356
                     –  Mailing Lists, JIRA, Archive: java.net/projects/websocket-spec
                     –  Now: Early Draft Review
                     –  Will be in Java EE 7
          §  Reference Implementation
                     –  Tyrus: java.net/projects/tyrus
                     –  Now: Integrated in GlassFish 4 builds


47   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Q&A



48   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
Graphic Section Divider




49   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
50   Copyright © 2012, Oracle and/or its affiliates. All rights reserved.

More Related Content

What's hot

OSGi & Java EE in GlassFish @ Silicon Valley Code Camp 2010
OSGi & Java EE in GlassFish @ Silicon Valley Code Camp 2010OSGi & Java EE in GlassFish @ Silicon Valley Code Camp 2010
OSGi & Java EE in GlassFish @ Silicon Valley Code Camp 2010Arun Gupta
 
Running your Java EE applications in the Cloud
Running your Java EE applications in the CloudRunning your Java EE applications in the Cloud
Running your Java EE applications in the CloudArun Gupta
 
5050 dev nation
5050 dev nation5050 dev nation
5050 dev nationArun Gupta
 
GlassFish REST Administration Backend
GlassFish REST Administration BackendGlassFish REST Administration Backend
GlassFish REST Administration BackendArun Gupta
 
OSGi-enabled Java EE Applications using GlassFish at JCertif 2011
OSGi-enabled Java EE Applications using GlassFish at JCertif 2011OSGi-enabled Java EE Applications using GlassFish at JCertif 2011
OSGi-enabled Java EE Applications using GlassFish at JCertif 2011Arun Gupta
 
TDC 2011: The Java EE 7 Platform: Developing for the Cloud
TDC 2011: The Java EE 7 Platform: Developing for the CloudTDC 2011: The Java EE 7 Platform: Developing for the Cloud
TDC 2011: The Java EE 7 Platform: Developing for the CloudArun Gupta
 
Java EE 6 & GlassFish 3: Light-weight, Extensible, and Powerful @ Silicon Val...
Java EE 6 & GlassFish 3: Light-weight, Extensible, and Powerful @ Silicon Val...Java EE 6 & GlassFish 3: Light-weight, Extensible, and Powerful @ Silicon Val...
Java EE 6 & GlassFish 3: Light-weight, Extensible, and Powerful @ Silicon Val...Arun Gupta
 
GIDS 2012: PaaSing a Java EE Application
GIDS 2012: PaaSing a Java EE ApplicationGIDS 2012: PaaSing a Java EE Application
GIDS 2012: PaaSing a Java EE ApplicationArun Gupta
 
Java EE 6 and GlassFish v3: Paving the path for future
Java EE 6 and GlassFish v3: Paving the path for futureJava EE 6 and GlassFish v3: Paving the path for future
Java EE 6 and GlassFish v3: Paving the path for futureArun Gupta
 
GIDS 2012: Java Message Service 2.0
GIDS 2012: Java Message Service 2.0GIDS 2012: Java Message Service 2.0
GIDS 2012: Java Message Service 2.0Arun Gupta
 
The Java EE 7 Platform: Developing for the Cloud (FISL 12)
The Java EE 7 Platform: Developing for the Cloud  (FISL 12)The Java EE 7 Platform: Developing for the Cloud  (FISL 12)
The Java EE 7 Platform: Developing for the Cloud (FISL 12)Arun Gupta
 
GlassFish 3.1 at JCertif 2011
GlassFish 3.1 at JCertif 2011GlassFish 3.1 at JCertif 2011
GlassFish 3.1 at JCertif 2011Arun Gupta
 
Creating Quick and Powerful Web applications with Oracle, GlassFish and NetBe...
Creating Quick and Powerful Web applications with Oracle, GlassFish and NetBe...Creating Quick and Powerful Web applications with Oracle, GlassFish and NetBe...
Creating Quick and Powerful Web applications with Oracle, GlassFish and NetBe...Arun Gupta
 
The Java EE 7 Platform: Productivity++ & Embracing HTML5
The Java EE 7 Platform: Productivity++ & Embracing HTML5The Java EE 7 Platform: Productivity++ & Embracing HTML5
The Java EE 7 Platform: Productivity++ & Embracing HTML5Arun Gupta
 
Arun Gupta: London Java Community: Java EE 6 and GlassFish 3
Arun Gupta: London Java Community: Java EE 6 and GlassFish 3 Arun Gupta: London Java Community: Java EE 6 and GlassFish 3
Arun Gupta: London Java Community: Java EE 6 and GlassFish 3 Skills Matter
 
WebLogic 12c Developer Deep Dive at Oracle Develop India 2012
WebLogic 12c Developer Deep Dive at Oracle Develop India 2012WebLogic 12c Developer Deep Dive at Oracle Develop India 2012
WebLogic 12c Developer Deep Dive at Oracle Develop India 2012Arun Gupta
 
What's next for Java API for WebSocket (JSR 356)
What's next for Java API for WebSocket (JSR 356)What's next for Java API for WebSocket (JSR 356)
What's next for Java API for WebSocket (JSR 356)Pavel Bucek
 
Java EE 6 = Less Code + More Power
Java EE 6 = Less Code + More PowerJava EE 6 = Less Code + More Power
Java EE 6 = Less Code + More PowerArun Gupta
 
Understanding
Understanding Understanding
Understanding Arun Gupta
 

What's hot (20)

OSGi & Java EE in GlassFish @ Silicon Valley Code Camp 2010
OSGi & Java EE in GlassFish @ Silicon Valley Code Camp 2010OSGi & Java EE in GlassFish @ Silicon Valley Code Camp 2010
OSGi & Java EE in GlassFish @ Silicon Valley Code Camp 2010
 
Running your Java EE applications in the Cloud
Running your Java EE applications in the CloudRunning your Java EE applications in the Cloud
Running your Java EE applications in the Cloud
 
5050 dev nation
5050 dev nation5050 dev nation
5050 dev nation
 
GlassFish REST Administration Backend
GlassFish REST Administration BackendGlassFish REST Administration Backend
GlassFish REST Administration Backend
 
OSGi-enabled Java EE Applications using GlassFish at JCertif 2011
OSGi-enabled Java EE Applications using GlassFish at JCertif 2011OSGi-enabled Java EE Applications using GlassFish at JCertif 2011
OSGi-enabled Java EE Applications using GlassFish at JCertif 2011
 
TDC 2011: The Java EE 7 Platform: Developing for the Cloud
TDC 2011: The Java EE 7 Platform: Developing for the CloudTDC 2011: The Java EE 7 Platform: Developing for the Cloud
TDC 2011: The Java EE 7 Platform: Developing for the Cloud
 
Java EE 6 & GlassFish 3: Light-weight, Extensible, and Powerful @ Silicon Val...
Java EE 6 & GlassFish 3: Light-weight, Extensible, and Powerful @ Silicon Val...Java EE 6 & GlassFish 3: Light-weight, Extensible, and Powerful @ Silicon Val...
Java EE 6 & GlassFish 3: Light-weight, Extensible, and Powerful @ Silicon Val...
 
GIDS 2012: PaaSing a Java EE Application
GIDS 2012: PaaSing a Java EE ApplicationGIDS 2012: PaaSing a Java EE Application
GIDS 2012: PaaSing a Java EE Application
 
Java EE 6 and GlassFish v3: Paving the path for future
Java EE 6 and GlassFish v3: Paving the path for futureJava EE 6 and GlassFish v3: Paving the path for future
Java EE 6 and GlassFish v3: Paving the path for future
 
GIDS 2012: Java Message Service 2.0
GIDS 2012: Java Message Service 2.0GIDS 2012: Java Message Service 2.0
GIDS 2012: Java Message Service 2.0
 
The Java EE 7 Platform: Developing for the Cloud (FISL 12)
The Java EE 7 Platform: Developing for the Cloud  (FISL 12)The Java EE 7 Platform: Developing for the Cloud  (FISL 12)
The Java EE 7 Platform: Developing for the Cloud (FISL 12)
 
GlassFish 3.1 at JCertif 2011
GlassFish 3.1 at JCertif 2011GlassFish 3.1 at JCertif 2011
GlassFish 3.1 at JCertif 2011
 
Creating Quick and Powerful Web applications with Oracle, GlassFish and NetBe...
Creating Quick and Powerful Web applications with Oracle, GlassFish and NetBe...Creating Quick and Powerful Web applications with Oracle, GlassFish and NetBe...
Creating Quick and Powerful Web applications with Oracle, GlassFish and NetBe...
 
The Java EE 7 Platform: Productivity++ & Embracing HTML5
The Java EE 7 Platform: Productivity++ & Embracing HTML5The Java EE 7 Platform: Productivity++ & Embracing HTML5
The Java EE 7 Platform: Productivity++ & Embracing HTML5
 
Arun Gupta: London Java Community: Java EE 6 and GlassFish 3
Arun Gupta: London Java Community: Java EE 6 and GlassFish 3 Arun Gupta: London Java Community: Java EE 6 and GlassFish 3
Arun Gupta: London Java Community: Java EE 6 and GlassFish 3
 
WebLogic 12c Developer Deep Dive at Oracle Develop India 2012
WebLogic 12c Developer Deep Dive at Oracle Develop India 2012WebLogic 12c Developer Deep Dive at Oracle Develop India 2012
WebLogic 12c Developer Deep Dive at Oracle Develop India 2012
 
Java EE 7 overview
Java EE 7 overviewJava EE 7 overview
Java EE 7 overview
 
What's next for Java API for WebSocket (JSR 356)
What's next for Java API for WebSocket (JSR 356)What's next for Java API for WebSocket (JSR 356)
What's next for Java API for WebSocket (JSR 356)
 
Java EE 6 = Less Code + More Power
Java EE 6 = Less Code + More PowerJava EE 6 = Less Code + More Power
Java EE 6 = Less Code + More Power
 
Understanding
Understanding Understanding
Understanding
 

Similar to Building HTML5 WebSocket Apps in Java at JavaOne Latin America 2012

HTML5 Websockets and Java - Arun Gupta
HTML5 Websockets and Java - Arun GuptaHTML5 Websockets and Java - Arun Gupta
HTML5 Websockets and Java - Arun GuptaJAX London
 
HTML5 WebSocket Introduction
HTML5 WebSocket IntroductionHTML5 WebSocket Introduction
HTML5 WebSocket IntroductionMarcelo Jabali
 
Extending JMS to Web Devices over HTML5 WebSockets - JavaOne 2011
Extending JMS to Web Devices over HTML5 WebSockets - JavaOne 2011Extending JMS to Web Devices over HTML5 WebSockets - JavaOne 2011
Extending JMS to Web Devices over HTML5 WebSockets - JavaOne 2011Peter Moskovits
 
Server Sent Events, Async Servlet, Web Sockets and JSON; born to work together!
Server Sent Events, Async Servlet, Web Sockets and JSON; born to work together!Server Sent Events, Async Servlet, Web Sockets and JSON; born to work together!
Server Sent Events, Async Servlet, Web Sockets and JSON; born to work together!Masoud Kalali
 
[English version] JavaFX and Web Integration
[English version] JavaFX and Web Integration[English version] JavaFX and Web Integration
[English version] JavaFX and Web IntegrationKazuchika Sekiya
 
Consuming Java EE in Desktop, Web, and Mobile Frontends
Consuming Java EE in Desktop, Web, and Mobile FrontendsConsuming Java EE in Desktop, Web, and Mobile Frontends
Consuming Java EE in Desktop, Web, and Mobile FrontendsGeertjan Wielenga
 
Programming WebSockets with Glassfish and Grizzly
Programming WebSockets with Glassfish and GrizzlyProgramming WebSockets with Glassfish and Grizzly
Programming WebSockets with Glassfish and GrizzlyC2B2 Consulting
 
Ebs troubleshooting con9019_pdf_9019_0001
Ebs troubleshooting con9019_pdf_9019_0001Ebs troubleshooting con9019_pdf_9019_0001
Ebs troubleshooting con9019_pdf_9019_0001jucaab
 
WebSocket Perspectives and Vision for the Future
WebSocket Perspectives and Vision for the FutureWebSocket Perspectives and Vision for the Future
WebSocket Perspectives and Vision for the FutureFrank Greco
 
HTML5 Real Time and WebSocket Code Lab (SFHTML5, GTUGSF)
HTML5 Real Time and WebSocket Code Lab (SFHTML5, GTUGSF)HTML5 Real Time and WebSocket Code Lab (SFHTML5, GTUGSF)
HTML5 Real Time and WebSocket Code Lab (SFHTML5, GTUGSF)Peter Lubbers
 
Camelone-2012 HTML5 WebSocket ActiveMQ/Camel
Camelone-2012 HTML5 WebSocket ActiveMQ/CamelCamelone-2012 HTML5 WebSocket ActiveMQ/Camel
Camelone-2012 HTML5 WebSocket ActiveMQ/CamelCharles Moulliard
 
Building Living Web Applications with HTML5 WebSockets
Building Living Web Applications with HTML5 WebSocketsBuilding Living Web Applications with HTML5 WebSockets
Building Living Web Applications with HTML5 WebSocketsPeter Moskovits
 
Have You Seen Java EE Lately?
Have You Seen Java EE Lately?Have You Seen Java EE Lately?
Have You Seen Java EE Lately?Reza Rahman
 
Jwebsocketmobiletechcon2010en 100912071225 Phpapp01
Jwebsocketmobiletechcon2010en 100912071225 Phpapp01Jwebsocketmobiletechcon2010en 100912071225 Phpapp01
Jwebsocketmobiletechcon2010en 100912071225 Phpapp01purans
 
Project Avatar (Lyon JUG & Alpes JUG - March 2014)
Project Avatar (Lyon JUG & Alpes JUG  - March 2014)Project Avatar (Lyon JUG & Alpes JUG  - March 2014)
Project Avatar (Lyon JUG & Alpes JUG - March 2014)David Delabassee
 
Java EE 7 et ensuite pourquoi pas JavaScript sur le serveur!
Java EE 7 et ensuite pourquoi pas JavaScript sur le serveur! Java EE 7 et ensuite pourquoi pas JavaScript sur le serveur!
Java EE 7 et ensuite pourquoi pas JavaScript sur le serveur! David Delabassee
 

Similar to Building HTML5 WebSocket Apps in Java at JavaOne Latin America 2012 (20)

Websocket 1.0
Websocket 1.0Websocket 1.0
Websocket 1.0
 
HTML5 Websockets and Java - Arun Gupta
HTML5 Websockets and Java - Arun GuptaHTML5 Websockets and Java - Arun Gupta
HTML5 Websockets and Java - Arun Gupta
 
HTML5 WebSocket Introduction
HTML5 WebSocket IntroductionHTML5 WebSocket Introduction
HTML5 WebSocket Introduction
 
Extending JMS to Web Devices over HTML5 WebSockets - JavaOne 2011
Extending JMS to Web Devices over HTML5 WebSockets - JavaOne 2011Extending JMS to Web Devices over HTML5 WebSockets - JavaOne 2011
Extending JMS to Web Devices over HTML5 WebSockets - JavaOne 2011
 
Server Sent Events, Async Servlet, Web Sockets and JSON; born to work together!
Server Sent Events, Async Servlet, Web Sockets and JSON; born to work together!Server Sent Events, Async Servlet, Web Sockets and JSON; born to work together!
Server Sent Events, Async Servlet, Web Sockets and JSON; born to work together!
 
[English version] JavaFX and Web Integration
[English version] JavaFX and Web Integration[English version] JavaFX and Web Integration
[English version] JavaFX and Web Integration
 
JavaCro'14 - Consuming Java EE Backends in Desktop, Web, and Mobile Frontends...
JavaCro'14 - Consuming Java EE Backends in Desktop, Web, and Mobile Frontends...JavaCro'14 - Consuming Java EE Backends in Desktop, Web, and Mobile Frontends...
JavaCro'14 - Consuming Java EE Backends in Desktop, Web, and Mobile Frontends...
 
Consuming Java EE in Desktop, Web, and Mobile Frontends
Consuming Java EE in Desktop, Web, and Mobile FrontendsConsuming Java EE in Desktop, Web, and Mobile Frontends
Consuming Java EE in Desktop, Web, and Mobile Frontends
 
Programming WebSockets with Glassfish and Grizzly
Programming WebSockets with Glassfish and GrizzlyProgramming WebSockets with Glassfish and Grizzly
Programming WebSockets with Glassfish and Grizzly
 
Ebs troubleshooting con9019_pdf_9019_0001
Ebs troubleshooting con9019_pdf_9019_0001Ebs troubleshooting con9019_pdf_9019_0001
Ebs troubleshooting con9019_pdf_9019_0001
 
WebSocket Perspectives and Vision for the Future
WebSocket Perspectives and Vision for the FutureWebSocket Perspectives and Vision for the Future
WebSocket Perspectives and Vision for the Future
 
HTML5 Real Time and WebSocket Code Lab (SFHTML5, GTUGSF)
HTML5 Real Time and WebSocket Code Lab (SFHTML5, GTUGSF)HTML5 Real Time and WebSocket Code Lab (SFHTML5, GTUGSF)
HTML5 Real Time and WebSocket Code Lab (SFHTML5, GTUGSF)
 
Camelone-2012 HTML5 WebSocket ActiveMQ/Camel
Camelone-2012 HTML5 WebSocket ActiveMQ/CamelCamelone-2012 HTML5 WebSocket ActiveMQ/Camel
Camelone-2012 HTML5 WebSocket ActiveMQ/Camel
 
Building Living Web Applications with HTML5 WebSockets
Building Living Web Applications with HTML5 WebSocketsBuilding Living Web Applications with HTML5 WebSockets
Building Living Web Applications with HTML5 WebSockets
 
Have You Seen Java EE Lately?
Have You Seen Java EE Lately?Have You Seen Java EE Lately?
Have You Seen Java EE Lately?
 
Jwebsocketmobiletechcon2010en 100912071225 Phpapp01
Jwebsocketmobiletechcon2010en 100912071225 Phpapp01Jwebsocketmobiletechcon2010en 100912071225 Phpapp01
Jwebsocketmobiletechcon2010en 100912071225 Phpapp01
 
jWebSocket MobileTechCon 2010 - WebSockets on Android, Symbian and BlackBerry
jWebSocket MobileTechCon 2010 - WebSockets on Android, Symbian and BlackBerryjWebSocket MobileTechCon 2010 - WebSockets on Android, Symbian and BlackBerry
jWebSocket MobileTechCon 2010 - WebSockets on Android, Symbian and BlackBerry
 
JavaCro'14 - WebLogic-GlassFish-JaaS Strategy and Roadmap – Duško Vukmanović
JavaCro'14 - WebLogic-GlassFish-JaaS Strategy and Roadmap – Duško VukmanovićJavaCro'14 - WebLogic-GlassFish-JaaS Strategy and Roadmap – Duško Vukmanović
JavaCro'14 - WebLogic-GlassFish-JaaS Strategy and Roadmap – Duško Vukmanović
 
Project Avatar (Lyon JUG & Alpes JUG - March 2014)
Project Avatar (Lyon JUG & Alpes JUG  - March 2014)Project Avatar (Lyon JUG & Alpes JUG  - March 2014)
Project Avatar (Lyon JUG & Alpes JUG - March 2014)
 
Java EE 7 et ensuite pourquoi pas JavaScript sur le serveur!
Java EE 7 et ensuite pourquoi pas JavaScript sur le serveur! Java EE 7 et ensuite pourquoi pas JavaScript sur le serveur!
Java EE 7 et ensuite pourquoi pas JavaScript sur le serveur!
 

More from Arun Gupta

5 Skills To Force Multiply Technical Talents.pdf
5 Skills To Force Multiply Technical Talents.pdf5 Skills To Force Multiply Technical Talents.pdf
5 Skills To Force Multiply Technical Talents.pdfArun Gupta
 
Machine Learning using Kubernetes - AI Conclave 2019
Machine Learning using Kubernetes - AI Conclave 2019Machine Learning using Kubernetes - AI Conclave 2019
Machine Learning using Kubernetes - AI Conclave 2019Arun Gupta
 
Machine Learning using Kubeflow and Kubernetes
Machine Learning using Kubeflow and KubernetesMachine Learning using Kubeflow and Kubernetes
Machine Learning using Kubeflow and KubernetesArun Gupta
 
Secure and Fast microVM for Serverless Computing using Firecracker
Secure and Fast microVM for Serverless Computing using FirecrackerSecure and Fast microVM for Serverless Computing using Firecracker
Secure and Fast microVM for Serverless Computing using FirecrackerArun Gupta
 
Building Java in the Open - j.Day at OSCON 2019
Building Java in the Open - j.Day at OSCON 2019Building Java in the Open - j.Day at OSCON 2019
Building Java in the Open - j.Day at OSCON 2019Arun Gupta
 
Why Amazon Cares about Open Source
Why Amazon Cares about Open SourceWhy Amazon Cares about Open Source
Why Amazon Cares about Open SourceArun Gupta
 
Machine learning using Kubernetes
Machine learning using KubernetesMachine learning using Kubernetes
Machine learning using KubernetesArun Gupta
 
Building Cloud Native Applications
Building Cloud Native ApplicationsBuilding Cloud Native Applications
Building Cloud Native ApplicationsArun Gupta
 
Chaos Engineering with Kubernetes
Chaos Engineering with KubernetesChaos Engineering with Kubernetes
Chaos Engineering with KubernetesArun Gupta
 
How to be a mentor to bring more girls to STEAM
How to be a mentor to bring more girls to STEAMHow to be a mentor to bring more girls to STEAM
How to be a mentor to bring more girls to STEAMArun Gupta
 
Java in a World of Containers - DockerCon 2018
Java in a World of Containers - DockerCon 2018Java in a World of Containers - DockerCon 2018
Java in a World of Containers - DockerCon 2018Arun Gupta
 
The Serverless Tidal Wave - SwampUP 2018 Keynote
The Serverless Tidal Wave - SwampUP 2018 KeynoteThe Serverless Tidal Wave - SwampUP 2018 Keynote
The Serverless Tidal Wave - SwampUP 2018 KeynoteArun Gupta
 
Introduction to Amazon EKS - KubeCon 2018
Introduction to Amazon EKS - KubeCon 2018Introduction to Amazon EKS - KubeCon 2018
Introduction to Amazon EKS - KubeCon 2018Arun Gupta
 
Mastering Kubernetes on AWS - Tel Aviv Summit
Mastering Kubernetes on AWS - Tel Aviv SummitMastering Kubernetes on AWS - Tel Aviv Summit
Mastering Kubernetes on AWS - Tel Aviv SummitArun Gupta
 
Top 10 Technology Trends Changing Developer's Landscape
Top 10 Technology Trends Changing Developer's LandscapeTop 10 Technology Trends Changing Developer's Landscape
Top 10 Technology Trends Changing Developer's LandscapeArun Gupta
 
Container Landscape in 2017
Container Landscape in 2017Container Landscape in 2017
Container Landscape in 2017Arun Gupta
 
Java EE and NoSQL using JBoss EAP 7 and OpenShift
Java EE and NoSQL using JBoss EAP 7 and OpenShiftJava EE and NoSQL using JBoss EAP 7 and OpenShift
Java EE and NoSQL using JBoss EAP 7 and OpenShiftArun Gupta
 
Docker, Kubernetes, and Mesos recipes for Java developers
Docker, Kubernetes, and Mesos recipes for Java developersDocker, Kubernetes, and Mesos recipes for Java developers
Docker, Kubernetes, and Mesos recipes for Java developersArun Gupta
 
Thanks Managers!
Thanks Managers!Thanks Managers!
Thanks Managers!Arun Gupta
 
Migrate your traditional VM-based Clusters to Containers
Migrate your traditional VM-based Clusters to ContainersMigrate your traditional VM-based Clusters to Containers
Migrate your traditional VM-based Clusters to ContainersArun Gupta
 

More from Arun Gupta (20)

5 Skills To Force Multiply Technical Talents.pdf
5 Skills To Force Multiply Technical Talents.pdf5 Skills To Force Multiply Technical Talents.pdf
5 Skills To Force Multiply Technical Talents.pdf
 
Machine Learning using Kubernetes - AI Conclave 2019
Machine Learning using Kubernetes - AI Conclave 2019Machine Learning using Kubernetes - AI Conclave 2019
Machine Learning using Kubernetes - AI Conclave 2019
 
Machine Learning using Kubeflow and Kubernetes
Machine Learning using Kubeflow and KubernetesMachine Learning using Kubeflow and Kubernetes
Machine Learning using Kubeflow and Kubernetes
 
Secure and Fast microVM for Serverless Computing using Firecracker
Secure and Fast microVM for Serverless Computing using FirecrackerSecure and Fast microVM for Serverless Computing using Firecracker
Secure and Fast microVM for Serverless Computing using Firecracker
 
Building Java in the Open - j.Day at OSCON 2019
Building Java in the Open - j.Day at OSCON 2019Building Java in the Open - j.Day at OSCON 2019
Building Java in the Open - j.Day at OSCON 2019
 
Why Amazon Cares about Open Source
Why Amazon Cares about Open SourceWhy Amazon Cares about Open Source
Why Amazon Cares about Open Source
 
Machine learning using Kubernetes
Machine learning using KubernetesMachine learning using Kubernetes
Machine learning using Kubernetes
 
Building Cloud Native Applications
Building Cloud Native ApplicationsBuilding Cloud Native Applications
Building Cloud Native Applications
 
Chaos Engineering with Kubernetes
Chaos Engineering with KubernetesChaos Engineering with Kubernetes
Chaos Engineering with Kubernetes
 
How to be a mentor to bring more girls to STEAM
How to be a mentor to bring more girls to STEAMHow to be a mentor to bring more girls to STEAM
How to be a mentor to bring more girls to STEAM
 
Java in a World of Containers - DockerCon 2018
Java in a World of Containers - DockerCon 2018Java in a World of Containers - DockerCon 2018
Java in a World of Containers - DockerCon 2018
 
The Serverless Tidal Wave - SwampUP 2018 Keynote
The Serverless Tidal Wave - SwampUP 2018 KeynoteThe Serverless Tidal Wave - SwampUP 2018 Keynote
The Serverless Tidal Wave - SwampUP 2018 Keynote
 
Introduction to Amazon EKS - KubeCon 2018
Introduction to Amazon EKS - KubeCon 2018Introduction to Amazon EKS - KubeCon 2018
Introduction to Amazon EKS - KubeCon 2018
 
Mastering Kubernetes on AWS - Tel Aviv Summit
Mastering Kubernetes on AWS - Tel Aviv SummitMastering Kubernetes on AWS - Tel Aviv Summit
Mastering Kubernetes on AWS - Tel Aviv Summit
 
Top 10 Technology Trends Changing Developer's Landscape
Top 10 Technology Trends Changing Developer's LandscapeTop 10 Technology Trends Changing Developer's Landscape
Top 10 Technology Trends Changing Developer's Landscape
 
Container Landscape in 2017
Container Landscape in 2017Container Landscape in 2017
Container Landscape in 2017
 
Java EE and NoSQL using JBoss EAP 7 and OpenShift
Java EE and NoSQL using JBoss EAP 7 and OpenShiftJava EE and NoSQL using JBoss EAP 7 and OpenShift
Java EE and NoSQL using JBoss EAP 7 and OpenShift
 
Docker, Kubernetes, and Mesos recipes for Java developers
Docker, Kubernetes, and Mesos recipes for Java developersDocker, Kubernetes, and Mesos recipes for Java developers
Docker, Kubernetes, and Mesos recipes for Java developers
 
Thanks Managers!
Thanks Managers!Thanks Managers!
Thanks Managers!
 
Migrate your traditional VM-based Clusters to Containers
Migrate your traditional VM-based Clusters to ContainersMigrate your traditional VM-based Clusters to Containers
Migrate your traditional VM-based Clusters to Containers
 

Recently uploaded

Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...Enterprise Knowledge
 
Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024The Digital Insurer
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)Gabriella Davis
 
Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)wesley chun
 
08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking MenDelhi Call girls
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘RTylerCroy
 
Tata AIG General Insurance Company - Insurer Innovation Award 2024
Tata AIG General Insurance Company - Insurer Innovation Award 2024Tata AIG General Insurance Company - Insurer Innovation Award 2024
Tata AIG General Insurance Company - Insurer Innovation Award 2024The Digital Insurer
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024The Digital Insurer
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationMichael W. Hawkins
 
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...Neo4j
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Miguel Araújo
 
2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...Martijn de Jong
 
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptxHampshireHUG
 
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationFrom Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationSafe Software
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CVKhem
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Scriptwesley chun
 
Artificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsArtificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsJoaquim Jorge
 
Breaking the Kubernetes Kill Chain: Host Path Mount
Breaking the Kubernetes Kill Chain: Host Path MountBreaking the Kubernetes Kill Chain: Host Path Mount
Breaking the Kubernetes Kill Chain: Host Path MountPuma Security, LLC
 
What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?Antenna Manufacturer Coco
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024The Digital Insurer
 

Recently uploaded (20)

Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...
 
Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024Finology Group – Insurtech Innovation Award 2024
Finology Group – Insurtech Innovation Award 2024
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)
 
Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)
 
08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘
 
Tata AIG General Insurance Company - Insurer Innovation Award 2024
Tata AIG General Insurance Company - Insurer Innovation Award 2024Tata AIG General Insurance Company - Insurer Innovation Award 2024
Tata AIG General Insurance Company - Insurer Innovation Award 2024
 
Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024Axa Assurance Maroc - Insurer Innovation Award 2024
Axa Assurance Maroc - Insurer Innovation Award 2024
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day Presentation
 
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
 
2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...
 
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
04-2024-HHUG-Sales-and-Marketing-Alignment.pptx
 
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationFrom Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CV
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
Artificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsArtificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and Myths
 
Breaking the Kubernetes Kill Chain: Host Path Mount
Breaking the Kubernetes Kill Chain: Host Path MountBreaking the Kubernetes Kill Chain: Host Path Mount
Breaking the Kubernetes Kill Chain: Host Path Mount
 
What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
 

Building HTML5 WebSocket Apps in Java at JavaOne Latin America 2012

  • 1. JSR 356: Building HTML5 WebSocket Apps in Java Arun Gupta Java EE & GlassFish Guy blogs.oracle.com/arungupta, @arungupta 1 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 2. The preceding is intended to outline our general product direction. It is intended for information purposes only, and may not be incorporated into any contract. It is not a commitment to deliver any material, code, or functionality, and should not be relied upon in making purchasing decisions. The development, release, and timing of any features or functionality described for Oracle s products remains at the sole discretion of Oracle. 2 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 3. Agenda §  Primer on WebSocket §  JSR 356: Java API for WebSocket 3 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 4. Interactive Web Sites §  HTTP is half-duplex §  HTTP is verbose §  Hacks for Server Push –  Polling –  Long Polling –  Comet/Ajax §  Complex, Inefficient, Wasteful 4 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 5. WebSocket to the Rescue §  TCP based, bi-directional, full-duplex messaging §  Originally proposed as part of HTML5 §  IETF-defined Protocol: RFC 6455 –  Handshake –  Data Transfer §  W3C defined JavaScript API –  Candidate Recommendation 5 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 6. What’s the basic idea ? §  Upgrade HTTP to upgrade to WebSocket –  Single TCP connection –  Transparent to proxies, firewalls, and routers §  Send data frames in both direction (Bi-directional) –  No headers, cookies, authentication –  No security overhead –  “ping”/”pong” frames for keep-alive §  Send message independent of each other (Full Duplex) §  End the connection 6 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 7. Establish a connection Handshake Request Client Server Handshake Response 7 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 8. Handshake Request GET /chat HTTP/1.1
 Host: server.example.com
 Upgrade: websocket
 Connection: Upgrade
 Sec-WebSocket-Key: dGhlIHNhbXBsZSBub25jZQ==
 Origin: http://example.com
 Sec-WebSocket-Protocol: chat, superchat
 Sec-WebSocket-Version: 13 " 8 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 9. Handshake Response HTTP/1.1 101 Switching Protocols
 Upgrade: websocket
 Connection: Upgrade
 Sec-WebSocket-Accept: s3pPLMBiTxaQ9kYGzzhZRbK+xOo=
 Sec-WebSocket-Protocol: chat " 9 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 10. Establishing a Connection Handshake Request Client Server Handshake Response Connected ! 10 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 11. WebSocket Lifecycle Connected ! open open message message message message Client error Server message close Disconnected 11 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 12. WebSocket API www.w3.org/TR/websockets/ 12 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 13. Java WebSocket Implementations Java-WebSocket Kaazing WebSocket Gateway Grizzly WebSocket SDK Apache Tomcat 7 Webbit GlassFish Atmosphere Autobahn websockets4j WeberKnecht GNU WebSocket4J Jetty Netty JBoss TorqueBox Caucho Resin SwaggerSocket jWebSocket jWamp 13 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 14. Browser Support 14 Copyright © 2012, Oracle and/or its affiliates. All rights reserved. http://caniuse.com/websockets
  • 15. JSR 356 Specification §  Standard API for creating WebSocket Applications §  Transparent Expert Group –  jcp.org/en/jsr/detail?id=356 –  java.net/projects/websocket-spec §  Now: Early Draft Review §  December: Public Draft Review §  Will be in Java EE 7 –  Under discussion: Client API in Java SE 15 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 16. JSR 356: Reference Implementation §  Tyrus: java.net/projects/tyrus §  Originated as WebSocket SDK –  java.net/projects/websocket-sdk §  Pluggable Protocol Provider –  Default is Grizzly/GlassFish –  Portable to WebLogic §  Integrated in GlassFish 4 Builds 16 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 17. JSR 356 Expert Group Jean-Francois Arcand Individual Scott Ferguson Caucho Technology, Inc Joe Walnes DRW Holdings, LLC Minehiko IIDA Fujitsu Limited Wenbo Zhu Google Inc. Bill Wigger IBM Justin Lee Individual Danny Coward Oracle Rémy Maucherat RedHat Moon Namkoong TmaxSoft, Inc. Mark Thomas VMware Wei Chen Voxeo Corporation Greg Wilkins Individual 17 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 18. Java API for WebSocket Features §  Create WebSocket Client/Endpoints –  Annotation-driven (@WebSocketEndpoint) –  Interface-driven (Endpoint) §  SPI for extensions and data frames §  Integration with Java EE Web container 18 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 19. Touring the APIs 19 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 20. Note: The APIs might change before final release ! 20 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 21. Hello World and Basics POJO 21 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 22. Hello World import javax.net.websocket.annotations.*;
 
 @WebSocketEndpoint("/hello")
 public class HelloBean {
 
 @WebSocketMessage
 public String sayHello(String name) {
 return “Hello “ + name;
 }
 }" 22 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 23. WebSocket Annotations Annotation Level Purpose @WebSocketEndpoint" class Turns a POJO into a WebSocket Endpoint @WebSocketOpen" method Intercepts WebSocket Open events @WebSocketClose" method Intercepts WebSocket Close events @WebSocketMessage" method Intercepts WebSocket Message events method @WebSocketPathParam" Flags a matched path segment of a URI-template parameter @WebSocketError" method Intercepts errors during a conversation 23 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 24. @WebSocketEndpoint attributes Relative URI or URI template value" e.g. /hello or /chat/{subscriber-level} decoders" list of message decoder classnames encoders" list of message encoder classnames subprotocols" list of the names of the supported subprotocols 24 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 25. Custom Payloads @WebSocketEndpoint(
 value="/hello",
 encoders={MyMessage.class},
 decoders={MyMessage.class}
 )
 public class MyEndpoint {
 . . .
 }" " " 25 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 26. Custom Payloads – Text public class MyMessage implements Decoder.Text<MyMessage>, Encoder.Text<MyMessage> {
 private JsonObject jsonObject;
 
 public MyMessage decode(String s) {
 jsonObject = new JsonReader(new StringReader(s)).readObject();
 return this;" }" public boolean willDecode(String string) {
 return true; // Only if can process the payload
 }" " public String encode(MyMessage myMessage) {
 return myMessage.jsonObject.toString();
 }
 }" 26 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 27. Custom Payloads – Binary public class MyMessage implements Decoder.Binary<MyMessage>, Encoder.Binary<MyMessage> {
 
 public MyMessage decode(byte[] bytes) {
 . . .
 return this;" }" public boolean willDecode(byte[] bytes) {
 . . .
 return true; // Only if can process the payload
 }" " public byte[] encode(MyMessage myMessage) {
 . . .
 }
 }" 27 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 28. Chat Sample @WebSocketEndpoint("/chat")" public class ChatBean {" Set<Session> peers = Collections.synchronizedSet(…);
 
 @WebSocketOpen
 public void onOpen(Session peer) {
 peers.add(peer);
 }
 
 @WebSocketClose
 public void onClose(Session peer) {
 peers.remove(peer);
 }
 
 . . ." 28 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 29. Chat Sample . . .
 
 @WebSocketMessage" public void message(String message, Session client) {" for (Session peer : peers) {
 peer.getRemote().sendObject(message);
 }
 }
 }" 29 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 30. URI Template Matching §  Level 1 only @WebSocketEndpoint(“/orders/{order-id}”)
 public class MyEndpoint {
 @WebSocketMessage
 public void processOrder(
 @WebSocketPathParam(“order-id”)String orderId) {
 . . .
 }
 } 30 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 31. Which methods can be @WebSocketMessage ? §  A parameter type that can be decoded in incoming message –  String, byte[], ByteBuffer or any type for which there is a decoder §  An optional Session parameter §  0..n String parameters annotated with @WebSocketPathParameter" §  A return type that can be encoded in outgoing message –  String, byte[], ByteBuffer or any type for which there is a encoder 31 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 32. WebSocket Subprotocols §  Facilitates application layer protocols §  Registered in a Subprotocol Name Registry –  Identifier, Common name, Definition –  www.iana.org/assignments/websocket/websocket.xml#subprotocol-name §  4 officially registered –  Message Broker (2 versions) –  SOAP –  WebSocket Application Messaging Protocol (WAMP) §  RPC, PubSub 32 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 33. Packaging – Java EE Style §  Client side §  Classes + resources packaged as a JAR §  Web Container §  Classes + resources packaged in a WAR file 33 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 34. Hello World and Basics Non-POJO 34 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 35. Hello World Server import javax.net.websocket.*;" " public class HelloServer extends Endpoint {
 @Override
 public void onOpen(Session session) {
 session.addMessageHandler(new MessageHandler.Text() {
 public void onMessage(String name) {
 try {
 session.getRemote().sendString(“Hello “ + name);
 } catch (IOException ex) {
 }
 } 
 });
 }
 }" 35 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 36. Server Configuration - Bootstrap URI serverURI = new URI("/hello");
 ServerContainer serverContainer = 
 ContainerProvider.getServerContainer();
 Endpoint helloServer = new HelloServer();
 ServerEndpointConfiguration serverConfig = 
 new DefaultServerConfiguration(serverURI);
 serverContainer.publishServer(helloServer, serverConfig);" Recommended in ServletContextListener *" 36 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 37. Hello World Client import javax.net.websocket.*;" " public class HelloClient extends Endpoint {
 @Override
 public void onOpen(Session session) {
 try {
 session.getRemote().sendString("Hello you !");
 } catch (IOException ioe) {
 // . . . 
 }
 }
 }" 37 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 38. Server and Client Configuration §  Server –  URI matching algorithm –  Subprotocol and extension negotiation –  Message encoders and decoders –  Origin check –  Handshake response §  Client –  Requested subprotocols and extensions –  Message encoders and decoders 38 –  Request URI Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 39. Main API Classes: javax.net.websocket.* §  Endpoint: Intercepts WebSocket lifecycle events §  MessageHandler: Handles all incoming messages for an Endpoint §  RemoteEndpoint: Represents the ‘other end’ of this conversation §  Session: Represents the active conversation 39 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 40. Sending the Message Whole string * RemoteEndpoint" sendString(String message)" Binary data * RemoteEndpoint" sendString(ByteBuffer message)" String fragments RemoteEndpoint" sendPartialString(String part, boolean last)" sendPartialData(ByteBuffer part, boolean Binary data fragments RemoteEndpoint" last)" Blocking stream of text RemoteEndpoint" Writer getSendWriter())" Blocking stream of binary RemoteEndpoint" OutputStream getSendStream()" data Custom object of type T * RemoteEndpoint<T>" sendObject(T customObject)" * additional flavors: by completion, by future 40 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 41. Receiving the Message Whole string MessageHandler.Text" onMessage(String message)" Binary data MessageHandler.Binary" onMessage(ByteBuffer message)" onMessage(String part, boolean String fragments MessageHandler.AsyncText" last)" onMessage(ByteBuffer part, Binary data fragments MessageHandler.AsyncBinary" boolean last)" Blocking stream of text MessageHandler.CharacterStream" onMessage(Reader r)" Blocking stream of MessageHandler.BinaryStream" onMessage(InputStream r)" binary data Custom object of type T MessageHandler.DecodedObject<T>" onMessage(T customObject)" 41 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 42. Relationship with Servlet 3.1 §  Allows a portable way to upgrade HTTP request §  New API –  HttpServletRequest.upgrade(ProtocolHandler handler)" 42 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 43. Security §  Authenticates using Servlet security mechanism during opening handshake –  Endpoint mapped by ws:// is protected using security model defined using the corresponding http:// URI §  Authorization defined using <security-constraint>" –  TBD: Add/reuse security annotations §  Transport Confidentiality using wss://" –  Access allowed over encrypted connection only 43 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 44. API TODO Lots … §  Refactoring/renaming –  Class naming, fluency –  Collapse MessageHandlers –  Re-org/rename annotations Use of @WebSocketEndpoint on Endpoint instead of ServerConfiguration API §  More knobs and dials on POJO §  Exception handling §  Integration with Java EE 44 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 45. How to view WebSocket messages ? Capture traffic on loopback 45 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 46. How to view WebSocket messages ? chrome://net-internals -> Sockets -> View live sockets 46 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 47. Resources §  Specification –  JSR: jcp.org/en/jsr/detail?id=356 –  Mailing Lists, JIRA, Archive: java.net/projects/websocket-spec –  Now: Early Draft Review –  Will be in Java EE 7 §  Reference Implementation –  Tyrus: java.net/projects/tyrus –  Now: Integrated in GlassFish 4 builds 47 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 48. Q&A 48 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 49. Graphic Section Divider 49 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.
  • 50. 50 Copyright © 2012, Oracle and/or its affiliates. All rights reserved.