Vibe has been renamed to Cettia and is no longer maintained! Use Cettia. ×
flowersinthesand wrote Vibe 3.0.0-Alpha12 released on February 5, 2015.

Reference


Table of Contents


Installation

Vibe Java Platform requires Java 7 and is distributed through Maven Central.

  • To run application on platform

Generally speaking, having application run on the specific platform means to feed one or both of ServerHttpExchange and ServerWebSocket into the application which are produced by the specific platform or framework using the corresponding bridge module. How to varies for each platform or framework. See Platform and Platform on platform section.

  • To write application running on platform

An application running on platform is a collection of actions that consumes resources like ServerHttpExchange and ServerWebSocket. Therefore, application should expose those actions to receive them. To handle HTTP exchange and WebSocket, see HTTP and Websocket respectively.


Platform

Platform stands for lietrally platform where application runs by facilitating dealing with HTTP exchange and WebSocket like full-stack web application framework and raw web server.

To bridge application and platform, a module called bridge is required which transforms the underlying platform's resources representing HTTP exchange and WebSocket into ServerHttpExchange and ServerWebSocket. The following bridges are available.

Platform HTTP WebSocket
Atmosphere 2
Grizzly 2
Java WebSocket API 1
Netty 4
Play 2
Servlet 3
Vert.x 2

Atmosphere 2

Atmosphere 2 is a platform to use Servlet 3 and Java WebSocket API together in more comfortable way.

Note

  • Requires Atmosphere 2.2 and later.
  • Servlet can't detect disconnection.

Example

Add the following dependency to your build or include it on your classpath manually.

<dependency>
    <groupId>org.atmosphere</groupId>
    <artifactId>vibe-platform-bridge-atmosphere2</artifactId>
    <version>3.0.0-Alpha7</version>
</dependency>

To bridge application and Atmosphere, you should register a servlet of VibeAtmosphereServlet. When registering servlet, you must set asyncSupported to true and set a init param, org.atmosphere.cpr.AtmosphereInterceptor.disableDefaults, to true.

@WebListener
public class Bootstrap implements ServletContextListener {
    @Override
    public void contextInitialized(ServletContextEvent event) {
        // Your application
        final org.atmosphere.vibe.Server server = new org.atmosphere.vibe.DefaultServer();
        ServletContext context = event.getServletContext();
        ServletRegistration.Dynamic reg = context.addServlet(VibeAtmosphereServlet.class.getName(), new VibeAtmosphereServlet() {
            @Override
            protected Action<ServerHttpExchange> httpAction() {
                return server.httpAction();
            }

            @Override
            protected Action<ServerWebSocket> wsAction() {
                return server.wsAction();
            }
        });
        reg.setAsyncSupported(true);
        reg.setInitParameter(ApplicationConfig.DISABLE_ATMOSPHEREINTERCEPTOR, Boolean.TRUE.toString());
        reg.addMapping("/vibe");
    }

    @Override
    public void contextDestroyed(ServletContextEvent sce) {}
}

Grizzly 2

Grizzly 2 is a framework to help developers to take advantage of the Java™ NIO API.

Note

  • After response ends, request becomes not available.

Example

Add the following dependency to your build or include it on your classpath manually.

<dependency>
    <groupId>org.atmosphere</groupId>
    <artifactId>vibe-platform-bridge-grizzly2</artifactId>
    <version>3.0.0-Alpha7</version>
</dependency>

And then, you should register an instance of VibeHttpHandler to deal with HTTP exchange and an instance of VibeWebSocketApplication to deal with WebSocket.

public class Bootstrap {
    public static void main(String[] args) throws Exception {
        // Your application
        final org.atmosphere.vibe.Server server = new org.atmosphere.vibe.DefaultServer();
        HttpServer httpServer = HttpServer.createSimpleServer();
        ServerConfiguration config = httpServer.getServerConfiguration();
        config.addHttpHandler(new VibeHttpHandler() {
            @Override
            protected Action<ServerHttpExchange> httpAction() {
                return server.httpAction();
            }
        }, "/vibe");
        NetworkListener listener = httpServer.getListener("grizzly");
        listener.registerAddOn(new WebSocketAddOn());
        WebSocketEngine.getEngine().register("", "/vibe", new VibeWebSocketApplication() {
            @Override
            protected Action<ServerWebSocket> wsAction() {
                return server.wsAction();
            }
        });
        httpServer.start();
        System.in.read();
    }
}

Java WebSocket API 1

Java WebSocket API 1 (JWA) from Java EE 7.

Example

Add the following dependency to your build or include it on your classpath manually.

<dependency>
    <groupId>org.atmosphere</groupId>
    <artifactId>vibe-platform-bridge-jwa1</artifactId>
    <version>3.0.0-Alpha7</version>
</dependency>

Then, you should register an endpoint of VibeServerEndpoint. Note that each WebSocket session is supposed to have each endpoint instance so an instance of VibeServerEndpoint can't be shared among ServerEndpointConfigs.

@WebListener
public class Bootstrap implements ServletContextListener {
    @Override
    public void contextInitialized(ServletContextEvent event) {
        // Your application
        final org.atmosphere.vibe.Server server = new org.atmosphere.vibe.DefaultServer();
        ServletContext context = event.getServletContext();
        ServerContainer container = (ServerContainer) context.getAttribute(ServerContainer.class.getName());
        ServerEndpointConfig config = ServerEndpointConfig.Builder.create(VibeServerEndpoint.class, "/vibe")
        .configurator(new Configurator() {
            @Override
            public <T> T getEndpointInstance(Class<T> endpointClass) throws InstantiationException {
                return endpointClass.cast(new VibeServerEndpoint() {
                    @Override
                    protected Action<ServerWebSocket> wsAction() {
                        return server.wsAction();
                    }
                });
            }
        })
        .build();
        try {
            container.addEndpoint(config);
        } catch (DeploymentException e) {
            throw new RuntimeException(e);
        }
    }

    @Override
    public void contextDestroyed(ServletContextEvent sce) {}
}

Netty 4

Netty 4 is an asynchronous event-driven network application framework.

Example

Add the following dependency to your build or include it on your classpath manually.

<dependency>
    <groupId>org.atmosphere</groupId>
    <artifactId>vibe-platform-bridge-netty4</artifactId>
    <version>3.0.0-Alpha7</version>
</dependency>

To bridge application and Netty, you should register a handler of VibeServerCodec. When configuring handlers, you must add HttpServerCodec in front of the handler.

public class Bootstrap {
    public static void main(String[] args) throws Exception {
        // Your application
        final org.atmosphere.vibe.Server server = new org.atmosphere.vibe.DefaultServer();
        EventLoopGroup bossGroup = new NioEventLoopGroup();
        EventLoopGroup workerGroup = new NioEventLoopGroup();
        try {
            ServerBootstrap bootstrap = new ServerBootstrap();
            bootstrap.group(bossGroup, workerGroup)
            .channel(NioServerSocketChannel.class)
            .childHandler(new ChannelInitializer<SocketChannel>() {
                @Override
                public void initChannel(SocketChannel ch) {
                    ChannelPipeline pipeline = ch.pipeline();
                    pipeline.addLast(new HttpServerCodec())
                    .addLast(new VibeServerCodec() {
                        @Override
                        protected boolean accept(HttpRequest req) {
                            return URI.create(req.getUri()).getPath().equals("/vibe");
                        }

                        @Override
                        protected Action<ServerHttpExchange> httpAction() {
                            return server.httpAction();
                        }

                        @Override
                        public Action<ServerWebSocket> wsAction() {
                            return server.websocketAction();
                        }
                    });
                }
            });
            Channel channel = bootstrap.bind(8080).sync().channel();
            channel.closeFuture().sync();
        } finally {
            workerGroup.shutdownGracefully();
            bossGroup.shutdownGracefully();
        }
    }
}

Play 2

Play framework 2 is a high velocity web framework for Java and Scala.

Note

  • Play can't send and receive text frame and binary frame together via a WebSocket connection. However, it may be solved with Play's Scala API. vibe-java-platform#4

Example

Add the following dependency to your build.sbt or include it on your classpath manually.

libraryDependencies ++= Seq(
  "org.atmosphere" % "vibe-platform-bridge-play2" % "3.0.0-Alpha7"
)

Then, write entry point for HTTP exchange and WebSocket extending Controller. A helper class will be introduced solving the above notes.

public class Bootstrap extends Controller {
    // Your application
    static org.atmosphere.vibe.Server server = new org.atmosphere.vibe.DefaultServer();

    @BodyParser.Of(BodyParser.TolerantText.class)
    public static Promise<Result> http() {
        PlayServerHttpExchange http = new PlayServerHttpExchange(request(), response());
        server.httpAction().on(http);
        return http.result();
    }

    public static WebSocket<String> ws() {
        final Http.Request request = request();
        return new WebSocket<String>() {
            @Override
            public void onReady(WebSocket.In<String> in, WebSocket.Out<String> out) {
                server.wsAction().on(new PlayServerWebSocket(request, in, out));
            }
        };
    }
}

Play doesn't allow to share URI between HTTP and WebSocket entry points. Instead of routes, write Global.scala in the default package and override onRouteRequest. It's not easy to do that in Java, if any. Note that this uses internal API that has broken even in patch release. I've confirmed the following code works in 2.2.2 and 2.3.2.

import org.atmosphere.vibe.example.platform.play2.{Bootstrap => T}

import play.api.GlobalSettings
import play.api.mvc._
import play.core.j._

object Global extends GlobalSettings {
  override def onRouteRequest(req: RequestHeader): Option[Handler] = {
    if (req.path == "/vibe") {
      if (req.method == "GET" && req.headers.get("Upgrade").exists(_.equalsIgnoreCase("websocket"))) {
        Some(JavaWebSocket.ofString(T.ws))
      } else {
        Some(new JavaAction {
          val annotations = new JavaActionAnnotations(classOf[T], classOf[T].getMethod("http"))
          val parser = annotations.parser
          def invocation = T.http
        })
      }
    } else {
      super.onRouteRequest(req)
    }
  }
}

Servlet 3

Servlet 3.0 from Java EE 6 and Servlet 3.1 from Java EE 7.

Note

  • Servlet can't detect disconnection.

Example

Add the following dependency to your build or include it on your classpath manually.

<dependency>
    <groupId>org.atmosphere</groupId>
    <artifactId>vibe-platform-bridge-servlet3</artifactId>
    <version>3.0.0-Alpha7</version>
</dependency>

To bridge application and Servlet, you should register a servlet of VibeServlet. When registering servlet, you must set asyncSupported to true.

@WebListener
public class Bootstrap implements ServletContextListener {
    @Override
    public void contextInitialized(ServletContextEvent event) {
        // Your application
        final org.atmosphere.vibe.Server server = new org.atmosphere.vibe.DefaultServer();
        ServletContext context = event.getServletContext();
        ServletRegistration.Dynamic reg = context.addServlet(VibeServlet.class.getName(), new VibeServlet() {
            @Override
            protected Action<ServerHttpExchange> httpAction() {
                return server.httpAction();
            }
        });
        reg.setAsyncSupported(true);
        reg.addMapping("/vibe");
    }

    @Override
    public void contextDestroyed(ServletContextEvent sce) {}
}

Vert.x 2

Vert.x 2 is a lightweight, high performance application platform for the JVM

Example

Add the following dependency to your build or include it on your classpath manually.

<dependency>
    <groupId>org.atmosphere</groupId>
    <artifactId>vibe-platform-bridge-vertx2</artifactId>
    <version>3.0.0-Alpha7</version>
</dependency>

You should register a handler of VibeRequestHandler to handle HTTP exchange and VibeWebSocketHandler to handle WebSocket.

public class Bootstrap extends Verticle {
    @Override
    public void start() {
        // Your application
        final org.atmosphere.vibe.Server server = new org.atmosphere.vibe.DefaultServer();
        HttpServer httpServer = vertx.createHttpServer();
        RouteMatcher httpMatcher = new RouteMatcher();
        httpMatcher.all("/vibe", new VibeRequestHandler() {
            @Override
            protected Action<ServerHttpExchange> httpAction() {
                return server.httpAction();
            }
        });
        httpServer.requestHandler(httpMatcher);
        final VibeWebSocketHandler websocketHandler = new VibeWebSocketHandler() {
            @Override
            protected Action<ServerWebSocket> wsAction() {
                return server.wsAction();
            }
        };
        httpServer.websocketHandler(new Handler<org.vertx.java.core.http.ServerWebSocket>() {
            @Override
            public void handle(org.vertx.java.core.http.ServerWebSocket socket) {
                if (socket.path().equals("/vibe")) {
                    websocketHandler.handle(socket);
                }
            }
        });
        httpServer.listen(8080);
    }
}

Platform on platform

Some platform is based on the other platform and allows to deal with the underlying platform so that it's possible to run application on such platform wihout creating an additional bridge if the corresponding bridge is available.

The general pattern is to share application between the platform and the underlying platform using static keyword, sharing application holder or adopting dependency injection.

JAX-RS 2

JAX-RS 2 from Java EE 7. JAX-RS allows to deploy JAX-RS resources to several servers, and one of them is Servlet. That means, you can run application on Servlet or Atmosphere with JAX-RS. The same approach may be applied to JAX-RS 1. Example.


HTTP

To write HTTP application, add the following dependency to your build or include it on your classpath manually.

<dependency>
    <groupId>org.atmosphere</groupId>
    <artifactId>vibe-platform-http</artifactId>
    <version>3.0.0-Alpha7</version>
</dependency>

ServerHttpExchange

It represents a server-side HTTP request-response exchange and is given when request headers is opened. Note that is is not thread safe.

Request properties

These are read only and might not be available in some platforms after endAction or closeAction.

URI

A request URI used to connect. To work with URI parts, use java.net.URI or something like that.

URI.create(http.uri()).getQuery();
Method

A name of the request method.

switch (http.method()) {
    case "GET":
    case "POST":
        // GET or POST
        break;
}
Headers

Request headers.

for (String name : http.headerNames()) {
    String value = http.header(name);
}

Reading request

read initiates reading the request body and read chunk is passed to chunkAction. Whether to read as text or binary is determined by the content-type request header in conformance with RFC 2616. If the header starts with text/, chunk will be read as text following the specified charset in the header (ISO-8859-1 if not specified) and passed as String. If not, chunk will be read as binary and passed as ByteBuffer. But you can force the request to how to the body using readAsText and readAsBinary. Finally, the request is fully read. Then, endAction is fired which is the end of the request.

Stringbuilder bodyBuilder = new Stringbuilder();
http.chunkAction(new Action<String>() {
    @Override
    public void on(String chunk) {
        bodyBuilder.append(chunk);
    }
})
.endAction(new VoidAction() {
    @Override
    public void on() {
        String body = bodyBuilder.toString();
        // Your logic here
    }
})
.read();

For convenience, bodyAction is provided which allows to receive the whole request body. However, note that if body is quite big it will drain memory in an instant.

http.bodyAction(new Action<String>() {
    @Override
    public void on(String body) {
        // Your logic here
    }
})
.read();

read and its variant methods should be called after adding chunk and body event handlers. In case where the underlying platform can't read body asynchronously, it emulates non-blocking IO by spwaning a separate thread to read it.

Response properties

These are write only and not modifiable after the write of first chunk.

Status

A HTTP Status code for response.

http.setStatus(HttpStatus.NOT_IMPLEMENTED);
Headers

Response headers.

http.setHeader("content-type", "text/javascript; charset=utf-8");

Writing response

write accepts a text chunk as String and a binary chunk as ByteBuffer and writes it to the response body. Each response must be completed by end after writing all properties and chunks or even if there is nothing to write. It's the end of the response. In case of text chunk, if there is no specified charset parameter in the content-type response header or write, then ISO-8859-1 is used.

http.write("chunk").end();

For convenience, end accepts chunk like write. The below code is the same with the above one.

http.end("chunk");

Error handling

Any error happening in request-response exchange is propagated to actions added via errorAction with Throwable in question. Now Throwable thrown by the underlying platform are provided directly.

http.errorAction(new Action<Throwable>() {
    @Override
    public void on(Throwable error) {
        // Your logic here
    }
});

End of HTTP exchange

When request is fully read by read so endAction is fired and response is completed by end normally or the underlying connection is aborted abnormally for some reason like network or protocol error, actions added via closeAction are executed. It's the end of exchange. After this event, exchange should be not used.

http.closeAction(new VoidAction() {
    @Override
    public void on() {
        // Your logic here
    }
});

WebSocket

To write WebSocket application, add the following dependency to your build or include it on your classpath manually.

<dependency>
    <groupId>org.atmosphere</groupId>
    <artifactId>vibe-platform-ws</artifactId>
    <version>3.0.0-Alpha7</version>
</dependency>

ServerWebSocket

It represents a server-side WebSocket connection and is given when WebSocket is opened. Note that is is not thread safe.

Properties

These are read only and might not be available in some platforms after closeAction.

URI

A request URI used to connect. It comes from handshake request so doesn't start with ws or wss protocol. To work with URI parts, use java.net.URI or something like that.

URI.create(ws.uri()).getQuery();

Receiving frame

Text frame is passed to textAction as String and binary frame is passed to binaryAction as ByteBuffer. It's possible to receive both type of message through a single connection.

ws.textAction(new Action<String>() {
    @Override
    public void on(String data) {
        // Your logic here
    }
})
.binaryAction(new Action<ByteBuffer>() {
    @Override
    public void on(ByteBuffer data) {
        // Your logic here
    }
});

Sending frame

send accepts a text frame as String and a binary frame as ByteBuffer and sends it through the connection. It's possible to send both type of message through a single connection.

ws.send("message");

Closing connection

close closes the connection.

ws.close();

Error handling

Any error happening in this connection is propagated to actions added via errorAction with Throwable in question. Now Throwable thrown by the underlying platform are provided directly.

ws.errorAction(new Action<Throwable>() {
    @Override
    public void on(Throwable error) {
        // Your logic here
    }
});

End of WebSocket

When the connection has been closed for any reason, close event handlers added via closeAction are executed. It's the end of WebSocket. After this event, WebSocket should be not used.

ws.closeAction(new VoidAction() {
    @Override
    public void on() {
        // Your logic here
    }
});