Testing JavaEE 6 with Glassfish and Eclipse

In this post, I’ll show some news of the Java EE 6. I’ll use the following softwares:

Glassfish v3 Eclipse Galileo JEE Edition

After install them, we go create a dynamic web project in the Eclipse called FirstProjectJEE6:

Now, I’ll replace the contents of the web.xml file for this:

1
2
3
4
5
6
7
8
9
10
<?xml version="1.0" encoding="UTF-8"?>
<web-app xmlns="http://java.sun.com/xml/ns/javaee" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-app_3_0.xsd"
  version="3.0">
  <welcome-file-list>
    <welcome-file>index.html</welcome-file>
    <welcome-file>index.htm</welcome-file>
    <welcome-file>index.jsp</welcome-file>
  </welcome-file-list>
</web-app>

To compile our project, we need to add a external jar (javaee.jar) to the project, the jar file is in the path [glassfish_directory]/glassfish/lib/javaee.jar

I’ll create a ant script to make the deploy of our application in glassfish. It must be saved in the project root and should be called build.xml

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
<?xml version="1.0" encoding="UTF-8"?>
<project name="FirstProject JavaEE 6" basedir="." default="deploy">
  <property name="warfile" value="FirstProject" />
  <target name="create">
    <war destfile="${warfile}.war" webxml="WebContent/WEB-INF/web.xml" update="true">
      <classes dir="build/classes" />
      <fileset dir="WebContent">
        <exclude name="WEB-INF/web.xml" />
      </fileset>
    </war>
  </target>
  <target name="copy">
    <copy todir="/Users/rodrigolazoti/Programs/glassfishv3/glassfish/domains/domain1/autodeploy" overwrite="true">
      <fileset dir=".">
        <include name="*.war" />
      </fileset>
    </copy>
  </target>
  <target name="deploy">
    <antcall target="create" />
    <antcall target="copy" />
  </target>
</project>

Note that this path: /Users/rodrigolazoti/Programs/glassfishv3/glassfish/domains/domain1/autodeploy Should be replaced by the: [your glassfish]/glassfish/domains/domain1/autodeploy

Now, we let’s code a little, first we let’s create two EJB using the new specification. I’ll create one stateless and one staleful EJB, the stateful ejb will serve only to represent the number of requests and the stateless will serve to return a message to the User.

The code of stateless ejb:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
package br.com.rodrigolazoti.firstproject.service;

import javax.ejb.Stateless;

@Stateless
public class MyStatelessSessionBean {

  public String createMessage( String username ) {
    String message = "Hello World, ";

    if ( username != null && !"".equals( username.trim() ) ) {
      message += username + "!";
    }
    else {
      message += "stranger!";
    }

    return message;
  }

}

And the code of the stateful ejb:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
package br.com.rodrigolazoti.firstproject.service;

import javax.ejb.Stateful;

@Stateful
public class MyStatefulSessionBean {

  private int amountOfrequests = 0;

  public int getAmountOfrequests() {
    return ++amountOfrequests;
  }

}

Note that in both ejb, was not necessary to create a local or remote interface. :)

With our EJBs ready, we’ll create a servlet to respond to http methods: GET and POST.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
package br.com.rodrigolazoti.firstproject.controller;

import java.io.IOException;

import javax.ejb.EJB;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;

import br.com.rodrigolazoti.firstproject.service.MyStatefulSessionBean;
import br.com.rodrigolazoti.firstproject.service.MyStatelessSessionBean;

@WebServlet( name = "MyServlet", urlPatterns = { "/hello" } )
public class MyServlet extends HttpServlet {

  private static final long serialVersionUID = -2206981309178199835L;

  @EJB
  private MyStatefulSessionBean myStatefulSessionBean;

  @EJB
  private MyStatelessSessionBean myStatelessSessionBean;

  @Override
  protected void doGet( HttpServletRequest request, HttpServletResponse response )
      throws ServletException, IOException {
    String message = myStatelessSessionBean.createMessage( null );
    request.setAttribute( "message", message );

    int amountOfRequests = myStatefulSessionBean.getAmountOfrequests();
    request.setAttribute( "amountOfRequests", amountOfRequests );

    request.getRequestDispatcher( "/hello.jsp" ).forward( request, response );
  }

  @Override
  protected void doPost( HttpServletRequest request, HttpServletResponse response )
      throws ServletException, IOException {
    String username = request.getParameter( "username" );
    String message = myStatelessSessionBean.createMessage( username );
    request.setAttribute( "message", message );

    int amountOfRequests = myStatefulSessionBean.getAmountOfrequests();
    request.setAttribute( "amountOfRequests", amountOfRequests );

    request.getRequestDispatcher( "/hello.jsp" ).forward( request, response );
  }

}

And finally, we’ll create our jsp files. The index.jsp file will make the calls to the servlet and the hello.jsp file will show the result of calls.

The index.jsp file:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
<?xml version="1.0" encoding="ISO-8859-1" ?>
<%@ page language="java" contentType="text/html; charset=ISO-8859-1" pageEncoding="ISO-8859-1"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
  <meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1" />
  <meta name="author" content="Rodrigo Lazoti"/>
  <title>First Java EE 6 Example</title>
</head>
<body>
  <p><a href="hello">Execute Servlet (GET)</a></p>

  <hr width="100%" noshade="noshade"/>

  <form action="hello" method="post">
    <p>Name:<input type="text" name="username"/></p>
    <p><button type="submit">Execute Servlet (POST)</button></p>
  </form>
</body>
</html>

And the hello.jsp file:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
<?xml version="1.0" encoding="ISO-8859-1" ?>
<%@ page language="java" contentType="text/html; charset=ISO-8859-1" pageEncoding="ISO-8859-1"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
  <meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1" />
  <meta name="author" content="Rodrigo Lazoti"/>
  <title>First Java EE 6 Example</title>
</head>
<body>
  <h2>Result: ${requestScope.message}</h2><br/>
  <h3>This servlet was executed ${requestScope.amountOfRequests} time(s).</h3><br/>
  <hr width="100%" noshade="noshade"/>
  <h4><a href="index.jsp">Back to main page</a></h4>
</body>
</html>

Some news that I used this example:

This example is available at github:

http://github.com/rlazoti/tutorial-javaee6-first-project

Comments »


[Video] Testing the Chromium OS in Virtual Box

Like most people, I also wanted to know about the new operating system Google’s Chromium OS, then in a quick search I found a link to download a virtual machine with Virtual Box Chromium OS.

An interesting point about the new OS is that logging in, you must have a Gmail account.

The link to download the VM is http://www.ausgamers.com/news/read/2816103

I made a video showing how to use the VM in Virtual Box.

Comments »


Colando um Splash Screen no seu iPhone app

Adicionar um Splash Screen em um aplicativo do iPhone parece ser uma tarefa complicada mas é extremamente simples.

Neste artigo vou mostrar duas formas de fazer isso, a primeira irá utilizar toda a lógica do iPhone SDK e com isso não precisaremos codificar nada, já na segunda a nossa aplicação irá gerenciar o splash e por conta disso teremos que codificar um pouco.

Nos exemplos desse artigo irei utilizar a seguinte imagem como splash screen:

Splash Screen

Esta imagem deve ter o nome Default.png, vou criar um novo aplicativo para iPhone SDK do tipo View-Based Application chamado splash-screen e adicionar esta esta imagem na pasta chamada Resources e pronto a primeira forma já esta pronto. É só rodar o aplicativo no simulador e o splash vai ser apresentado no carregamento do aplicativo.

Na outra forma, teremos que codificar um pouco então abra a interface splash_screenViewController.h e adicione dois métodos e um novo atributo:

1
2
3
4
5
6
7
8
@interface iCrazyFaceViewController : UIViewController {
IBOutlet UIView *splashScreenView;
}

- (void)showSplash;
- (void)hideSplash;

@end

Agora na classe splash_screenViewController.m vamos colocar a implementação desses métodos:

1
2
3
4
5
6
7
8
9
10
11
12
-(void)showSplash
{
UIViewController *modalViewController = [[UIViewController alloc] init];
modalViewController.view = splashScreenView;
[self presentModalViewController:modalViewController animated:NO];
[self performSelector:@selector(hideSplash) withObject:nil afterDelay:2.0];
}

//hide splash screen
- (void)hideSplash{
[[self modalViewController] dismissModalViewControllerAnimated:YES];
}

Abra pelo Interface Builder o arquivo splash_screenViewController.xib, adicione uma nova view e renomeie-a para SplashScreenView. Nesta nova view criada, adicione um UIImageView e na propriedade image desse componente selecione a nossa imagem Default.png. Conforme imagem a seguir, vamos fazer a ligação da view (SplashScreenView) com o Outlet que criamos na classe iCrazyFaceViewController chamado splashScreenView.

[caption id=”attachment_209” align=”alignnone” width=”300” caption=”Ligando outlet pelo interface builder”]Ligando outlet pelo interface builder[/caption]

Pronto, o exemplo já está pronto! Salve o arquivo no Interface Builder, volte para o Xcode e execute a aplicação para conferir o resultado. :)

O projeto criado neste exemplo está disponível para download no git:

http://github.com/rlazoti/iphonesdk-splash-screen

Comments »


Now I'll write in English

Hello world! :D

After some time, finally I decided to write in English. First because I need to improve my writing skill, second because writing in English I can reach a larger audience and thus share information with more people around the world and not only with people from Brazil.

Apart from the new posts, I want to translate some old posts written in Portuguese to English too. If you want the translation of some post, let me know ok.

Please, let me know if you find any typo in my posts. :)

Comments »


Dev in Sampa 28/11, eu Vou!

No dia 28/11 (sábado), das 9:00 às 18:00 será realizado o primeiro encontro de desenvolvedores de software em São Paulo, onde serão ministradas palestras voltados a desenvolvimento, arquitetura e engenharia de software.

O evento será realizado em São Paulo no auditório da Editora Abril.

Os temas das palestras são bem diversificadas e devem agradar bastante a todos, fora isso é uma ótima oportunidade de conhecer outros profissionais da área.

A minha inscrição já está garantida, agora é só aguardar o dia do evento! :)

Para maiores informações o site do evento é: http://www.devinsampa.com.br/

Veja abaixo a programação do evento:

Horário - O que rola?

08:00 - 08:50 - Credenciamento.

08:50 - 09:00 - Abertura

09:00 - 09:40 - José Valim - Tópicos de machine learning: classificação de textos

09:40 - 10:20 - Rodrigo Yoshima - Design de Software: As técnicas esquecidas…

10:20 - 10:40 - Coffee-break

10:40 - 11:20 - Ronaldo Ferraz - Criando sua própria linguagem de programação

11:20 - 12:00 - João S. O. Bueno - Desenvolvimento de jogos com Python

12:00 - 13:30 - Intervalo para almoço (*)

13:30 - 14:10 - Guilherme Silveira e Adriano Almeida - Do REST ao RESTFul

14:10 - 14:50 - Nando Vieira - Escrevendo testes no JavaScript

14:50 - 15:30 - Luis Cipriani - Web em tempo real com Ruby e XMPP

15:30 - 15:50 - Coffee-break

15:50 - 16:30 - Ricardo Almeida - Buscas poderosas com Solr

16:30 - 17:10 - Radamés Ajna - Arduino - Computação Física

17:10 - 17:50 - Fabio Kung - Cloud Computing. E eu com isso?

17:50 - 18:00 - Encerramento e sorteios

18:00 - #horaextra

Comments »