`

Displaytag + spring + dwr+hibernate

阅读更多

Displaytag is an open source suite of custom tags with which you can easily display a collection of Objects as a table including direct support for paging and sorting. Normally selecting a new page, or sorting the tables leads to a complete page-refresh. It is more user-friendly to refresh only the data in the table using Ajax technology, however Displaytag doesn't offer this out-of-the-box. But we can of course try to add support for this using one of the many Ajax frameworks that are currently available.

A non ajax enabled Displaytag would do a request to a controller for every action such as a sorting or selecting a next page. This would result in a complete page refresh (step 1-8 ). When we Ajax enable the Displaytag we skip the page refresh and only refresh a specific piece of the page using an exposed service which provides the updated HTML fragment (step 1a-8a).

flow

In the example I am going to use the following technologies:

The senario is as follows: We want to display episodes in a table. We want to do this in an Ajax way by using DWR. But where do we start?

Well, first of all we create a domain object called Episode.

 
public

 class

 Episode {


   long

 id;
   String



 show;
   String



 name;
   String



 episode;
   String



 airDate;
....
}


 

Next we create a repository.

 
public

 class

 EpisodeRepository extends

 HibernateDaoSupport {


 
    public

 List<Episode> getAllEpisodes(

int

 firstResult, int

 maxResults, String



 orderBy,
    boolean

 ascending)

 {


        Criteria criteria = getSession(

)

.createCriteria

(

Episode.class

)


            .setFirstResult

(

firstResult)


	    .setMaxResults

(

maxResults)


	    .addOrder

(

ascending ? Order.asc

(

orderBy)

 : Order.desc

(

orderBy)

)

;
	    return

 criteria.list

(

)

;
	}


 
    public

 int

 getNumberOfEpisodes(

)

 {


        Criteria criteria = getSession(

)

.createCriteria

(

Episode.class

)

;
	criteria.setProjection

(

Projections.count

(

"id"

)

)

;
	return

 (

Integer



)

criteria.uniqueResult

(

)

;
    }


}


 

And a Jsp containing the Displaytag for presenting the collection of Episodes.
<display:table id="ep" name="eps " sort="external" requestURI="replaceURI " pagesize="30" partialList="true" size="${nrOfEps }">
    <display:setProperty name="basic.empty.showtable" value="true" />
    <display:column title="Show" property="show" sortable="true" sortName="show" />
    <display:column title="Name" property="name" sortable="true" sortName="name" />
    <display:column class="Episode" property="episode" sortable="true" sortName="episode" />
    <display:column title="Airdate" property="airDate" sortable="true" sortName="airDate" />
</display:table>

Note that I use replaceURI as requestURI. This is very important because we are going to replace this with a call to a javascript method. Displaytag creates links like <a href="repaceURI?d-2332-o=1...."> and this should be replaced by <a href="javascript:update('d-2332-o=1...')> so that we the links will be Ajax enabled too. Unfortunatly this is not the only thing that we need to update. We need to update the range we are displaying, the page we are currently on and how the data is sorted.

So how do we do that?
Well, we need to expose a service using DWR. DWR is an Ajax toolkit which make it possible to expose services which can then be called from JavaScript. I created an abstract generic class so that you can use it to enable any service you like. The abstract class contains the following method:

 
public

 abstract

 class

 AbstractExposedDisplayTagService<T> implements

 InitializingBean {


 
    public

 void

 afterPropertiesSet(

)

 throws

 Exception



 {


        ....
    }


 
    public

 String



 findAllObjects(

String



 criteria)

 {


        WebContext wctx = WebContextFactory.get

(

)

;
	HttpServletRequest request = wctx.getHttpServletRequest

(

)

;
 
	// split results and set values;


	int

 maxResults = Integer



.parseInt

(

getCriterionValue(

criteria, "maxResults"

, DEFAULT_MAXIMUM_RESULTS)

)

;
	int

 page = Integer



.parseInt

(

getCriterionValue(

criteria, displayTagPage, "1"

)

)

;
	boolean

 ascending = Integer



.parseInt

(

getCriterionValue(

criteria, displayTagSortOrder, "1"

)

)

 == 1

 ? true

 : false

;
	String



 orderBy = getCriterionValue(

criteria, displayTagOrderBy, "id"

)

;
	int

 firstResult = (

page - 1

)

 * maxResults;
	int

 numberOfObjects = getNumberOfObjects(

)

;
 
	// set the episodes on the request so dwr can reload the jsp part.


	request.setAttribute

(

getObjectsName(

)

, getObjects(

firstResult, maxResults, orderBy, ascending)

)

;
	request.setAttribute

(

getNumberOfObjectsName(

)

, numberOfObjects)

;
	try

 {


	    String



 html = wctx.forwardToString

(

viewFragment)

;
	    html = DisplayTagReplacementUtil.updatePagingHtml

(

html, page, maxResults, numberOfObjects, displayTagPage)

;
	    html = DisplayTagReplacementUtil.updateSortOrderHtml

(

html, ascending, displayTagSortOrder)

;
	    html = DisplayTagReplacementUtil.updateHtmlLinks

(

html)

;
	    return

 html;
	}

 catch

 (

ServletException e)

 {


	    return

 ""

;
	}

 catch

 (

IOException



 e)

 {


	    return

 ""

;
	}


}


}


 

And here is the implementation.

 
public

 class

 EpisodeService extends

 AbstractExposedDisplayTagService<Episode> {


	private

 EpisodeRepository episodeRepository;
 
	@Override
	public

 int

 getNumberOfObjects(

)

 {


		return

 episodeRepository.getNumberOfEpisodes

(

)

;
	}


 
	@Override
	public

 String



 getNumberOfObjectsName(

)

 {


		return

 "numberOfEpisodes"

;
	}


 
	@Override
	public

 List<Episode> getObjects(

int

 firstResult, int

 maxResults, String



 orderBy, boolean

 ascending)

 {


		return

 episodeRepository.getAllEpisodes

(

firstResult, maxResults, orderBy, ascending)

;
	}


 
	@Override
	public

 String



 getObjectsName(

)

 {


		return

 "episodes"

;
	}


 
	public

 void

 setEpisodeRepository(

EpisodeRepository episodeRepository)

 {


		this

.episodeRepository

 = episodeRepository;
	}


}


 

Now you see that the findAllObjects method calls 3 static update methods on the DisplayTagReplacementUtil class.
These are responsible for the actual Ajax enabling. They use regular expressions to update the links, sorting etc..

Finally we need to add some JavaScript to be able to call the exposed service methods.
The following piece of code should be in the head of the jsp , in which you include the jsp containing the displaytag shown above in.
<script type='text/javascript' src='<c:url value="/dwr/interface/EpisodeService.js"/>'></script>
<script type='text/javascript' src='<c:url value="/dwr/engine.js"/>'></script>
<script type='text/javascript' src='<c:url value="/dwr/util.js"/>'></script>
<link rel="stylesheet" type="text/css" href='<c:url value="/css/displaytag.css"/>' />

and the javascript:
<script type="text/javascript">
function update(criteria) {
EpisodeService.findAllObjects(criteria, function(data) {
dwr.util.setValue("displayTable", data, { escapeHtml:false });
});
}
update("");
</script>

It is now a simple matter of extending the abstract class and you have Ajax enabled your Displaytag .
I have attached the example project here so you can look into the code yourself.

分享到:
评论

相关推荐

    Spring2.5+Struts2.0+hibernate3.0+Dwr+jquery+displayTag

    自已写的一个demo 1 基于SSH,service采用 annotation注入减少配置 ...暴露DWR,写了一个验证用户名的流程 4 采用jpa作为POJO,还是减少配置 5 加入display的分页,并且是物理分页 打开后自已建表sql.txt jdbc.properties

    Displaytag dwr 分页

    Displaytag、DWR、Spring 和 Hibernate 是 Java Web 开发中常用的技术栈,它们在构建高效、动态和数据驱动的Web应用程序方面发挥着重要作用。这里我们将深入探讨这些技术以及它们如何协同工作。 首先,Displaytag ...

    Struts2 Spring3.0 Hibernate3.3 整合全注解配置

    Struts2 Spring3.0 Hibernate3.3 全注解配置,避免了大量业务类在Spring文件的配置,整合了DWR3.0,displayTag 物理分页技术的实现。树形菜单。 另外数据库,在下一个资源;由于20MB的限制。 有问题的话留言。

    基本于J2EE的Ajax宝典.rar

    19.4.2 定义 DWR的核心Servlet 113 19.4.3 将 Spring容器中的 Bean 转化成JavaScript 对象 113 19.5 在客户端调用 JavaScript 对象 114 19.5.1 获取 Blog文章列表 115 19.5.2 控制 Blog文章列表的翻页 116 19.5...

    Java EE 学习路线图

    尝试自己开发类似框架、容器和工具,如Spring、Hibernate和iBatis,以增强对Java EE框架的理解和定制能力。 这个学习路线图为Java EE初学者提供了清晰的方向,从基础到高级,从理论到实践,逐步构建一个全面的Java ...

    java学习线路

    * Hibernate:ORM 与持久化映射、关系映射、继承映射、延迟加载、性能调优、HQL 查询、条件查询、SQL 查询、二级缓存和查询缓存 * Spring:IoC 与 Bean 配置、管理、Bean 生命周期、SP、EL、AOP 与事务权限控制、S2...

    J2EE程序员需掌握的技术

    - Hibernate:流行的ORM框架,简化了与数据库的交互。 - JDO(Java Data Objects):另一种ORM规范,提供透明的数据访问。 - iBATIS:SQL映射框架,允许直接编写SQL语句。 - JPA(Java Persistence API):Java...

Global site tag (gtag.js) - Google Analytics