KEMBAR78
Hibernate Interview Questions | PDF | Computer Programming | Method (Computer Programming)
0% found this document useful (0 votes)
152 views15 pages

Hibernate Interview Questions

This document discusses how to prevent stale object exceptions in Hibernate. It explains that Hibernate uses version checking to prevent updates from overwriting each other. The document provides steps to add version columns to entities and configure version checking in Hibernate mappings. It also shows how to catch and handle StaleObjectStateExceptions that occur when the version numbers do not match during updates.

Uploaded by

Jitendra Maurya
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as RTF, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
152 views15 pages

Hibernate Interview Questions

This document discusses how to prevent stale object exceptions in Hibernate. It explains that Hibernate uses version checking to prevent updates from overwriting each other. The document provides steps to add version columns to entities and configure version checking in Hibernate mappings. It also shows how to catch and handle StaleObjectStateExceptions that occur when the version numbers do not match during updates.

Uploaded by

Jitendra Maurya
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as RTF, PDF, TXT or read online on Scribd
You are on page 1/ 15

How to perevent slate object updatation in Hibernate ?

version checking used in hibernate when more then one thread trying to access same data.
For example :
User A edit the row of the TABLE for update ( In the User Interface changing data - This is user thinking time)
and in the same time User B edit the same record for update and click the update.
Then User A click the Update and update done. Chnage made by user B is gone.

In hibernate you can perevent slate object updatation using version checking.

Check the version of the row when you are upding the row.
Get the version of the row when you are fetching the row of the TABLE for update.
On the time of updation just fetch the version number and match with your version number ( on the time of
fetching).

This way you can prevent slate object updatation.

Steps 1:
Declare a variable "versionId" in your Class with setter and getter.
public class Campign {
private Long versionId;
private Long campignId;
private String name;
public Long getVersionId() {
return versionId;
}
public void setVersionId(Long versionId) {
this.versionId = versionId;
}

public String getName() {


return name;
}
public void setName(String name) {
this.name = name;
}

public Long getCampignId() {


return campignId;
}
private void setCampignId(Long campignId) {
this.campignId = campignId;
}

Step 2.
In the .hbm.xml file
<class name="beans.Campign" table="CAMPIGN" optimistic-lock="version">

<id name="campignId" type="long" column="cid">


<generator class="sequence">
<param name="sequence">CAMPIGN_ID_SEQ</param>
</generator>
</id>
<version name="versionId" type="long" column="version" />

<property name="name" column="c_name"/>

</class>

Step 3.
Create a coulmn name "version" in the CAMPIGN table.

Step 4.
In the code
// foo is an instance loaded by a previous Session
session = sf.openSession();
int oldVersion = foo.getVersion();
session.load( foo, foo.getKey() );
if ( oldVersion!=foo.getVersion ) throw new StaleObjectStateException();
foo.setProperty("bar");
session.flush();
session.connection().commit();
session.close();

You can handle StaleObjectStateException() and do what ever you want.


You can display error message.

Hibernate autumatically create/update the version number when you update/insert any row in the table

Difference between session.saveOrUpdate() and session.merge()?


b>saveOrUpdate() </b>does the following:

? if the object is already persistent in this session, do nothing

? if another object associated with the session has the same identifier, throw an exception

? if the object has no identifier property, save() it

? if the object's identifier has the value assigned to a newly instantiated object, save() it

? if the object is versioned (by a <version> or <timestamp>), and the version property value is the same

value assigned to a newly instantiated object, save() it

? otherwise update() the object

<b>merge() </b>is very different:


? if there is a persistent instance with the same identifier currently associated with the session, copy the state

of the given object onto the persistent instance

? if there is no persistent instance currently associated with the session, try to load it from the database, or

create a new persistent instance

? the persistent instance is returned

? the given instance does not become associated with the session, it remains detached

Deleting persistent objects


Session.delete() will remove an object's state from the database. Of course, your application might still hold
a reference to a deleted object. It's best to think of delete() as making a persistent instance transient.
sess.delete(cat);

SQL statements execution order.


1. all entity insertions, in the same order the corresponding objects were saved using Session.save()
2. all entity updates
3. all collection deletions
4. all collection element deletions, updates and insertions
5. all collection insertions
6. all entity deletions, in the same order the corresponding objects were deleted using Session.delete()

Modifying persistent objects?


DomesticCat cat = (DomesticCat) sess.load( Cat.class, new Long(69) );
cat.setName("PK");
sess.flush(); // changes to cat are automatically detected and persisted To Data Base.

No need any session.update() call.

Criteria Query Two Condition


Criteria Query Two Condition- Example
<class name="com.bean.Organization" table="ORGANIZATION">
<id name="orgId" column="ORG_ID" type="long">
<generator class="native"/>
</id>
<property name="organizationName" column="ORGANISATION_NAME" type="string" length="500"/>
<property name="town" column="TOWN" type="string" length="200"/>
<property name="statusCode" column="STATUS" type="string" length="1"/>
</class>
List of organisation where town equals to pune and status = "A".

List organizationList = session.createCriteria(Organization.class)


.add(Restrictions.eq("town","pune"))
.add(Restrictions.eq("statusCode","A"))
.list();

Equal and Not Equal criteria query.


Equal and Not Equal criteria query- Example
<class name="com.bean.Organization" table="ORGANIZATION">
<id name="orgId" column="ORG_ID" type="long">
<generator class="native"/>
</id>
<property name="organizationName" column="ORGANISATION_NAME" type="string" length="500"/>
<property name="town" column="TOWN" type="string" length="200"/>
</class>
List of organisation where town equals to pune.

List organizationList = session.createCriteria(Organization.class).add(Restrictions.eq("town","pune")).list();

List of organisation where town not equals pune.

List organizationList = session.createCriteria(Organization.class).add(Restrictions.ne("town","pune")).list();

One To Many Mapping Using List ?


WRITER (ID INT,NAME VARCHAR) - TABLE
STORY (ID INT,INFO VARCHAR,PARENT_ID INT) - TABLE
One writer can have multiple stories..
-------------------------------------------------------------
Mapping File...
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE hibernate-mapping
PUBLIC "-//Hibernate/Hibernate Mapping DTD//EN"
"http://hibernate.sourceforge.net/hibernate-mapping-2.0.dtd">

<hibernate-mapping>
<class name="Writer" table="WRITER">
<id name="id" unsaved-value="0">
<generator class="increment"/>
</id>

<list name="stories" cascade="all">


<key column="parent_id"/>
<one-to-many class="Story"/>
</list>
<property name="name" type="string"/>
</class>
<class name="Story"
table="story">
<id name="id" unsaved-value="0">
<generator class="increment"/>
</id>
<property name="info"/>
</class>
</hibernate-mapping>
-------------------------------------------------------
public class Writer {
private int id;
private String name;
private List stories;

public void setId(int i) {


id = i;
}

public int getId() {


return id;
}

public void setName(String n) {


name = n;
}

public String getName() {


return name;
}

public void setStories(List l) {


stories = l;
}

public List getStories() {


return stories;
}
}

---------------------------------------------------
public class Story {
private int id;
private String info;

public Story(){
}

public Story(String info) {


this.info = info;
}

public void setId(int i) {


id = i;
}

public int getId() {


return id;
}

public void setInfo(String n) {


info = n;
}
public String getInfo() {
return info;
}
}
----------------------------------------------------

Save Example ..
Writer wr = new Writer();
wr.setName("Das");

ArrayList list = new ArrayList();


list.add(new Story("Story Name 1"));
list.add(new Story("Story Name 2"));
wr.setStories(list);

Transaction transaction = null;

try {
transaction = session.beginTransaction();
session.save(sp);
transaction.commit();
} catch (Exception e) {
if (transaction != null) {
transaction.rollback();
throw e;
}
} finally {
session.close();
}

Many To Many Relation In Hibernate ?


Best Example..for Many to Many in Hibernate ..
EVENTS ( uid int, name VARCHAR) Table
SPEAKERS ( uid int, firstName VARCHAR) Table
EVENT_SPEAKERS (elt int, event_id int, speaker_id int) Table
-----------------------------------------------------------
import java.util.Set;
import java.util.HashSet;

public class Speaker{

private Long id;


private String firstName;
private Set events;

public Long getId() {


return id;
}

public void setId(Long id) {


this.id = id;
}

public String getFirstName() {


return firstName;
}

public void setFirstName(String firstName) {


this.firstName = firstName;
}

public Set getEvents() {


return this.events;
}

public void setEvents(Set events) {


this.events = events;
}

private void addEvent(Event event) {


if (events == null) {
events = new HashSet();
}
events.add(event);
}
}
--------------------------------------------------------
import java.util.Date;
import java.util.Set;

public class Event{

private Long id;


private String name;
private Set speakers;

public void setId(Long id) {


this.id = id;
}

public Long getId() {


return id;
}
public String getName() {
return name;
}

public void setName(String name) {


this.name = name;
}

public void setSpeakers(Set speakers) {


this.speakers = speakers;
}

public Set getSpeakers() {


return speakers;
}

}
--------------------------------------------------------------
Event.hbm.xml
<?xml version="1.0"?>
<!DOCTYPE hibernate-mapping PUBLIC
"-//Hibernate/Hibernate Mapping DTD 2.0//EN"
"http://hibernate.sourceforge.net/hibernate-mapping-2.0.dtd">

<hibernate-mapping>
<class name="Event" table="events">
<id name="id" column="uid" type="long" unsaved-value="null">
<generator class="increment"/>
</id>
<property name="name" type="string" length="100"/>
<set name="speakers" table="event_speakers" cascade="all">
<key column="event_id"/>
<many-to-many class="Speaker"/>
</set>
</class>
</hibernate-mapping>
------------------------------------------------------------------
Speaker.hbm.xml

<?xml version="1.0"?>
<!DOCTYPE hibernate-mapping PUBLIC
"-//Hibernate/Hibernate Mapping DTD 2.0//EN"
"http://hibernate.sourceforge.net/hibernate-mapping-2.0.dtd">

<hibernate-mapping>
<class name="Speaker" table="speakers">
<id name="id" column="uid" type="long">
<generator class="increment"/>
</id>
<property name="firstName" type="string" length="20"/>
<set name="events" table="event_speakers" cascade="all">
<key column="speaker_id"/>
<many-to-many class="Event"/>
</set>
</class>
</hibernate-mapping>
----------------------------------------------------------------------
Save and Fetch Example
Event event = new Event();
event.setName("Inverse test");
event.setSpeakers(new HashSet());
event.getSpeakers().add(new Speaker("Ram", event));
event.getSpeakers().add(new SpeakerManyToMany("Syam", event));
event.getSpeakers().add(new SpeakerManyToMany("Jadu", event));
session.save(event); /// Save All the Data

event = (Event) session.load(Event.class, event.getId());


Set speakers = event.getSpeakers();

for (Iterator i = speakers.iterator(); i.hasNext();) {


Speaker speaker = (Speaker) i.next();
System.out.println(speaker.getFirstName());
System.out.println(speaker.getId());
}

How to get Hibernate statistics ?

SessionFactory.getStatistics() is give you all the statistics .

How to set 2nd level cache in hibernate with EHCache?

When you are creating SessionFactory just add the below steps

String ecache = appHome+File.separatorChar+"ehcache.xml";


try {
CacheManager.create(ecache);
} catch (CacheException e) {
// logger.logError(e);
}*/

Then
sessionFactory = configuration.buildSessionFactory();
ECache.xml is like
<ehcache>
<diskStore path="java.io.tmpdir"/>
<defaultCache
maxElementsInMemory="10000"
eternal="false"
timeToIdleSeconds="120"
timeToLiveSeconds="120"
overflowToDisk="true"
diskPersistent="false"
diskExpiryThreadIntervalSeconds="120"
/>

<cache name="bean.ApplicationBean"
maxElementsInMemory="300"
eternal="false"
overflowToDisk="false"
/>
</ehcache>

ApplicationBean will be avilable in 2nd level cache

What is a Hibernate Session? Can you share a session object between different theads?

Session is a light weight and a non-threadsafe object (No, you cannot share it between threads) that represents a
single unit-of-work with the database. Sessions are opened by a SessionFactory and then are closed when all work is
complete. Session is the primary interface for the persistence service. A session obtains a database connection lazily
(i.e. only when required). To avoid creating too many sessions ThreadLocal class can be used as shown below to get
the current session no matter how many times you make call to the currentSession() method.

?
public class HibernateUtil {
?
public static final ThreadLocal local = new ThreadLocal();

public static Session currentSession() throws HibernateException {


Session session = (Session) local.get();
//open a new session if this thread has no session
if(session == null) {
session = sessionFactory.openSession();
local.set(session);
}
return session;
}
}
What is the main difference between Entity Beans and Hibernate ?
1) In Entity Bean at a time we can interact with only one data Base. Where as in Hibernate we can able to
establishes the connections to more than One Data Base. Only thing we need to write one more configuration file.

2) EJB need container like Weblogic, WebSphare but hibernate don't nned. It can be run on tomcat.

3) Entity Beans does not support OOPS concepts where as Hibernate does.

4) Hibernate supports multi level cacheing, where as Entity Beans doesn't.

5) In Hibernate C3P0 can be used as a connection pool.

6) Hibernate is container independent. EJB not.

What is Hibernate proxy?


By default Hibernate creates a proxy for each of the class you map in mapping file. This class contain the code to
invoke JDBC. This class is created by hibernate using CGLIB.

Proxies are created dynamically by subclassing your object at runtime. The subclass has all the methods of the
parent, and when any of the methods are accessed, the proxy loads up the real object from the DB and calls the
method for you. Very nice in simple cases with no object hierarchy. Typecasting and instanceof work perfectly on
the proxy in this case since it is a direct subclass.

How to Execute Stored procedure in Hibernate ?


Option 1:
Connection con = null;

try {
con = session.connection();

CallableStatement st = con
.prepareCall("{call your_sp(?,?)}");
st.registerOutParameter(2, Types.INTEGER);
st.setString(1, "some_Seq");

st.executeUpdate();

Option 2:
<sql-query name="selectAllEmployees_SP" callable="true">
<return alias="emp" class="employee">
<return-property name="empid" column="EMP_ID"/>

<return-property name="name" column="EMP_NAME"/>


<return-property name="address" column="EMP_ADDRESS"/>
{ ? = call selectAllEmployees() }
</return>
</sql-query>

code :

SQLQuery sq = (SQLQuery) session.getNamedQuery("selectAllEmployees_SP");

List results = sq.list();

what is lazy fetching in hibernate?


Lazy setting decides whether to load child objects while loading the Parent Object.You need to do this setting
respective hibernate mapping file of the parent class.Lazy = true (means not to load child)By default the lazy
loading of the child objects is true. This make sure that the child objects are not loaded unless they are explicitly
invoked in the application by calling getChild() method on parent.In this case hibernate issues a fresh database call
to load the child when getChild() is actully called on the Parent object.But in some cases you do need to load the
child objects when parent is loaded. Just make the lazy=false and hibernate will load the child when parent is loaded
from the database.Exampleslazy=true (default)Address child of User class can be made lazy if it is not required
frequently.lazy=falseBut you may need to load the Author object for Book parent whenever you deal with the book
for online bookshop

Q. How to Protect JSPs from direct access ?


JSPs located in the WEB-INF and its sub-directories are protected from outside access.
If you want to go pageB.jsp from pageA.jsp
<html:link action="gotoPageB">Go to Page B</html:link>

in the struts-config.xml
<action path="/gotoPageB"
parameter="/WEB-INF/pageB.jsp"
type="org.apache.struts.actions.ForwardAction"/>

Q.Mutli-click prevention using struts tokens with code example.


Struts has 3 methods use for the token, saveToken(), isTokenValid() and resetToken().
saveToken() - generate the token key and save to request/session attribute.
isTokenValid() - validate submitted token key against the 1 store in request/session.
resetToken() - reset the token key

Example :
Step 1.
Action Class where saveToken() before JSP Page.
First saveToken() then forward to your jsp.
Upon loading the form, invokes saveToken() on the action class to create and store the token key. Struts will store
the generated key in request/session.

public class LoadAction extends Action


{
public ActionForward execute(ActionMapping mapping,ActionForm form,HttpServletRequest
request,HttpServletResponse response)
{ ActionForward forward;
forward=mapping.findForward("FirstPage");// this is the jsp page where you want to struts tokens.
saveToken(request);

return forward;
}
}

Step 2.
If the token successfully created, when view source on the browser you will see the token, the token key is stored as
a hidden field:
In jsp page :

<%@ page import="org.apache.struts.action.Action"%>


<%@ page import="org.apache.struts.taglib.html.Constants"%>

<%@ taglib uri="/WEB-INF/struts-tiles.tld" prefix="tiles" %>


<%@ taglib uri="/WEB-INF/struts-html.tld" prefix="html" %>
<%@ taglib uri="/WEB-INF/struts-bean.tld" prefix="bean" %>
<%@ taglib uri="/WEB-INF/struts-logic.tld" prefix="logic" %>
<html>
<head> <title> First Page </title> </head>

<body>
<form name="MyForm" method="post" action="/dpsubm/getForm/submit.do">
<input type="text" name="name" >
<input type="hidden" name="<%= Constants.TOKEN_KEY %>"
value="<%= session.getAttribute(Action.TRANSACTION_TOKEN_KEY) %>" >
<input type="submit" value="submit">
</form>
</body>
</html>

Step 3. Your logic


Once the form submitted, invokes isTokenValid() on the action class, it will validate the submitted token key(hidden
field) with the token key stored previously on request/session. If match, it will return true.

public class SubmitAction extends Action


{
public ActionForward execute(ActionMapping mapping ,ActionForm form ,HttpServletRequest
request,HttpServletResponse response)
{
ActionForward forward=mapping.findForward("submitForm");
DupSubmitForm frm=(DupSubmitForm)form;

if(isTokenValid(request))
{

System.out.println("frm.getName()"+frm.getName());
resetToken(request);
}
else
{
System.out.println("frm.getName()"+frm.getName());
System.out.println("Duplicate Submission of the form");
}
return forward;
}
}

Code you can get from:


http://www.techfaq360.com/viewTutorial.jsp?tutorialId=62

Q.Struts Action Chaining?


Chaining actions can be done by simply using the
proper mapping in your forward entries in the struts-config.xml file.

public class AAction extends Action


{
public ActionForward
execute(ActionMapping mapping,
ActionForm form,
HttpServletRequest request,
HttpServletResponse response) throws
Exception
{
// Do something

return mapping.findForward("success");
}
}

/* com/BAction.java */
...

public class BAction extends Action


{
public ActionForward
execute(ActionMapping mapping,
ActionForm form,
HttpServletRequest request,
HttpServletResponse response) throws
Exception
{
// Do something else

return mapping.findForward("success");
}
}

Then you can chain together these two actions with


the Struts configuration as shown in the following excerpt:
...
<action-mappings type="org.apache.struts.action.ActionMapping">
<action path="/A"
type="com.AAction"
validate="false">
<forward name="success" path="/B.do" />
</action>
<action path="/B"
type="com.BAction"
scope="session"
validate="false">
<forward name="success" path="/result.jsp" />
</action>
</action-mappings>

You might also like