Często przedstawiają tylko rzeczywiste dane. Oto prosty przykład Javabean:
public class User implements java.io.Serializable {
// Properties.
private Long id;
private String name;
private Date birthdate;
// Getters.
public Long getId() { return id; }
public String getName() { return name; }
public Date getBirthdate() { return birthdate; }
// Setters.
public void setId(Long id) { this.id = id; }
public void setName(String name) { this.name = name; }
public void setBirthdate(Date birthdate) { this.birthdate = birthdate; }
// Important java.lang.Object overrides.
public boolean equals(Object other) {
return (other instanceof User) && (id != null) ? id.equals(((User) other).id) : (other == this);
}
public int hashCode() {
return (id != null) ? (getClass().hashCode() + id.hashCode()) : super.hashCode();
}
public String toString() {
return String.format("User[id=%d,name=%s,birthdate=%d]", id, name, birthdate);
}
}
Implementacja Serializable
nie jest sama w sobie obowiązkowa, ale bardzo przydatna, jeśli chcesz mieć możliwość utrwalania lub przenoszenia Javabean poza pamięć Javy, np. Na dysk twardy lub przez sieć.
Na przykład w klasie DAO możesz użyć jej do stworzenia listy użytkowników, w której przechowujesz dane user
tabeli w bazie danych:
List<User> users = new ArrayList<User>();
while (resultSet.next()) {
User user = new User();
user.setId(resultSet.getLong("id"));
user.setName(resultSet.getString("name"));
user.setBirthdate(resultSet.getDate("birthdate"));
users.add(user);
}
return users;
Na przykład w klasie Servlet możesz użyć jej do przesyłania danych z bazy danych do interfejsu użytkownika:
protected void doGet(HttpServletRequest request, HttpServletResponse response) {
List<User> users = userDAO.list();
request.setAttribute("users", users);
request.getRequestDispatcher("users.jsp").forward(request, response);
}
Na przykład na stronie JSP można uzyskać do niej dostęp przez EL , zgodnie z konwencjami Javabean, w celu wyświetlenia danych:
<table>
<tr>
<th>ID</th>
<th>Name</th>
<th>Birthdate</th>
</tr>
<c:forEach items="${users}" var="user">
<tr>
<td>${user.id}</td>
<td><c:out value="${user.name}" /></td>
<td><fmt:formatDate value="${user.birthdate}" pattern="yyyy-MM-dd" /></td>
</tr>
</c:forEach>
</table>
Czy jest sens? Widzisz, to rodzaj konwencji, której możesz używać wszędzie do przechowywania , przesyłania i uzyskiwania dostępu do danych.
Zobacz też: