08 View and Ajax

Sharing objects with the view

To register objects so they can be accessed in your templates:

@Resource
class ClientController {
    private final Result result;
    public ClientController(Result result) {
        this.result = result;
    }

    public void search(int id) {
        result.include("message", "Some message");
        result.include("client", new Client(id));
    }
}

The first object is accessed as "message", while the second as "client". You can register objects by invoking include with only one parameter if you wish:

@Resource
class ClientController {
    private final Result result;
    public ClientController(Result result) {
        this.result = result;
    }

    public void search(int id) {
        result.include("Some message").include(new Client(id));
    }
}

In this case, the first key is "string" while the second is "client". Mix one argument and two arguments invocation to create simpler code for your application. One can change the behaviour of the key extracting process by creating your own TypeNameExtractor.

Custom PathResolver

By default, VRaptor tries to render your views following the convention:

public class ClientsController {
    public void list() {
        //...
    }
}

The method listed above will render the view /WEB-INF/jsp/clients/list.jsp. However, we don't always want it to behave that way, specially if we need to use some template engine like Freemarker or Velocity. In that case, we need to change the convention. An easy way of changing that convention is extending the DefaultPathResolver class:

@Component
public class FreemarkerPathResolver extends DefaultPathResolver {
    protected String getPrefix() {
        return "/WEB-INF/freemarker/";
    }

    protected String getExtension() {
        return "ftl";
    }
}

That way, the logic would try to render the view /WEB-INF/freemarker/clients/list.ftl. If that solution is not enough, you can implement the PathResolver interface and do whatever convention you wish. Don't forget to annotate your new classe with @Component.

View

If you want to change a specific logic's view, you can use the Result object:

@Resource
public class ClientsController {

    private final Result result;

    public ClientsController(Result result) {
        this.result = result;
    }

    public void list() {}

    public void save(Client client) {
        //...
        this.result.use(Results.logic()).redirectTo(ClientsController.class).list();
    }
}

By default, there are these view implementations:

Result shortcuts

Some redirections are pretty common, so there are shortcuts on Result interface for them. The available shortcuts are:

Furthermore, if one are redirecting to a method on the same controller, one can use:

Redirect and forward

In VRaptor3, you can either redirect or forward the user to another logic or page. The main difference between redirecting and forwarding is that the former happens at client side, while the latter happens at server side. A good redirect use is the pattern 'redirect-after-post', for example, when you add a client and you want to return to the client listing page, but you want to avoid the user to accidentally resend all data by refreshing (F5) the page. An example of forwarding is when you have some data validation that fails, usually you want the user to remain on the form with all the previously filled data.

Automatic Flash Scope

If you add objects on Result and redirects to another logic, these objects will be available on the next request.
public void add(Client client) {
    dao.add(client);
    result.include("notice", "Client successfully added");
    result.redirectTo(ClientsController.class).list();
}
list.jsp:
...
<div id="notice">
   <h3>${notice}</h3>
</div>
...

Accepts and the _format parameter

Many times you need to render different formats for the same logic. For example, we want to return a JSON object instead of an HTML page. In order to do that, we can define the request's Accepts header to accept the desired format, or we can pass a _format paramenter in the request. If the specified format is JSON, the default rendered view will be: /WEB-INF/jsp/{controller}/{logic}.json.jsp, which means, in general, the rendered view will be: /WEB-INF/jsp/{controller}/{logic}.{format}.jsp. If the format is HTML, then you won't need to specify it in the file name. The _format parameter has a higher priority over the Accepts header.

Ajax: building on the view

In order to return a JSON object to the view, your logic must make that object available somehow. Just like the following example, your /WEB-INF/jsp/clients/load.json.jsp:

{ name: '${client.name}', id: '${client.id}' }

And in the controller:

@Resource
public class ClientsController {

    private final Result result;
    private final ClientDao dao;

    public ClientsController(Result result, ClientDao dao) {
        this.result = result;
        this.dao = dao;
    }

    public void load(Client client) {
        result.include("client", dao.load(client));
    }
}

Ajax: Programatic version

If you want that VRaptor automatically serializes your objects into xml or json, you can use on your logic:

import static br.com.caelum.vraptor.view.Results.*;
@Resource
public class ClientsController {

    private final Result result;
    private final ClientDao dao;

    public ClientsController(Result result, ClientDao dao) {
        this.result = result;
        this.dao = dao;
    }

    public void loadJson(Client client) {
        result.use(json()).from(client).serialize();
    }
    public void loadXml(Client client) {
        result.use(xml()).from(client).serialize();
    }
}

The results will be like:

{"client": {
    "name": "John"
}}
<client>
    <name>John</name>
</client>

By default, only fields with primitive types will be serialized (String, numbers, enums, dates), if you want to include a field of a non-primitive type you must explicitly include it:

result.use(json()).from(client).include("address").serialize();

will result in something like:

{"client": {
    "name": "John",
    "address" {
        "street": "First Avenue"
    }
}}

You can also exclude primitive fields from serialization:

result.use(json()).from(user).exclude("password").serialize();

will result in something like:

{"user": {
    "name": "John",
    "login": "john"
}}

Moreover you can serialize recursively (be careful with cycles):

result.use(json()).from(user).recursive().serialize();
result.use(xml()).from(user).recursive().serialize();

The default implementation is based on XStream, so you can configure the serialization with annotations and direct configuration on XStream. It is just creating a class like:

@Component
public class CustomXMLSerialization extends XStreamXMLSerialization {
//or public class CustomJSONSerialization extends XStreamJSONSerialization {
    //delegate constructor

    @Override
    protected XStream getXStream() {
        XStream xStream = super.getXStream();
        //your xStream setup here
        return xStream;
    }
}

Serializing Collections

When serializing collections, vRaptor will wrap their elements with a "list" tag:

List<Client> clients = ...;
result.use(json()).from(clients).serialize();
//or
result.use(xml()).from(clients).serialize();

will result in something like

{"list": [
    {
        "name": "John"
    },
    {
        "name": "Sue"
    }
]}

or

<list>
    <client>
        <name>John</name>
    </client>
    <client>
        <name>Sue</name>
    </client>
</list>

You can customize the wrapper element via:

List<Client> clients = ...;
result.use(json()).from(clients, "clients").serialize();
//or
result.use(xml()).from(clients, "clients").serialize();

will result in something like:

{"clients": [
    {
        "name": "John"
    },
    {
        "name": "Sue"
    }
]}

or

<clients>
    <client>
        <name>John</name>
    </client>
    <client>
        <name>Sue</name>
    </client>
</clients>

Includes and excludes work the same as if you were serializing an element inside the collection. For instance, if you want to include the client's address:

List<Cliente> clients = ...;
result.use(json()).from(clients).include("address").serialize();

results in:

{"list": [
    {
        "name": "John",
        "address": {
            "street": "Vergueiro, 3185"
        }
    },
    {
        "name": "Sue",
        "address": {
            "street": "Vergueiro, 3185"
        }
    }
]}

Serializing JSON without root element

If you want to serialize an object to json without give it any names, you can use the withoutRoot method:

result.use(json()).from(car).serialize(); //=> {'car': {'color': 'blue'}}
result.use(json()).withoutRoot().from(car).serialize(); //=> {'color': 'blue'}