Primefaces Users Guide 3 1 PDF
Primefaces Users Guide 3 1 PDF
3.1
Author
Çağatay Çivici
PrimeFaces Userʼs Guide
Çağatay Çivici
2
PrimeFaces Userʼs Guide
2. Setup! 13
2.1 Download! 13
2.2 Dependencies! 14
2.3 Configuration! 14
3. Component Suite! 15
3.1 AccordionPanel! 15
3.2 AjaxBehavior! 19
3.3 AjaxStatus! 21
3.4 AutoComplete ! 24
3.5 BreadCrumb! 33
3.6 Button! 35
3.7 Calendar! 38
3.8 Captcha ! 48
3.9 Carousel! 51
3.10 CellEditor! 57
3.11 Charts! 58
3.11.1 Pie Chart! 58
3.12 Collector! 80
3.14 Column! 85
3.15 Columns! 87
3.16 ColumnGroup! 88
3.17 CommandButton! 89
3.18 CommandLink! 94
3.19 ConfirmDialog! 97
5
PrimeFaces Userʼs Guide
6
PrimeFaces Userʼs Guide
7
PrimeFaces Userʼs Guide
8
PrimeFaces Userʼs Guide
8. Themes! 426
8.1 Applying a Theme ! 427
9. Utilities! 431
9.1 RequestContext! 431
9
PrimeFaces Userʼs Guide
10
About the Author
Çağatay Çivici is a member of JavaServer Faces Expert Group, the founder and project lead of
PrimeFaces and PMC member of open source JSF implementation Apache MyFaces. He’s a
recognized speaker in international conferences including SpringOne, Jazoon, JAX, W-JAX,
JSFSummit, JSFDays, Con-Fess and many local events such as JUGs.
Çağatay is also an author and technical reviewer of a couple books regarding web application
development with Java and JSF. As an experienced trainer, he has trained over 300 developers on
Java EE technologies mainly JSF, Spring, EJB 3.x and JPA.
Çağatay is currently working as a principal consultant for Prime Teknoloji, the company he co-
founded in Turkey.
PrimeFaces Userʼs Guide
1. Introduction
1.1 What is PrimeFaces?
PrimeFaces is an open source JSF component suite with various extensions.
• Rich set of components (HtmlEditor, Dialog, AutoComplete, Charts and many more).
• Built-in Ajax based on standard JSF 2.0 Ajax APIs.
• Lightweight, one jar, zero-configuration and no required dependencies.
• Ajax Push support via websockets.
• Mobile UI kit to create mobile web applications for handheld devices.
• Skinning Framework with 30 built-in themes and support for visual theme designer tool.
• Extensive documentation.
• Large, vibrant and active user community.
• Developed with "passion" from application developers to application developers.
12
PrimeFaces Userʼs Guide
2. Setup
2.1 Download
PrimeFaces has a single jar called primefaces-{version}.jar. There are two ways to download this
jar, you can either download from PrimeFaces homepage or if you are a maven user you can define
it as a dependency.
Download Manually
Three different artifacts are available for each PrimeFaces version, binary, sources and bundle.
Bundle contains binary, sources and javadocs.
http://www.primefaces.org/downloads.html
<dependency>
<groupId>org.primefaces</groupId>
<artifactId>primefaces</artifactId>
<version>3.0</version>
</dependency>
In addition to the configuration above you also need to add PrimeFaces maven repository to the
repository list so that maven can download it.
<repository>
<id>prime-repo</id>
<name>Prime Repo</name>
<url>http://repository.primefaces.org</url>
</repository>
13
PrimeFaces Userʼs Guide
2.2 Dependencies
PrimeFaces only requires a JAVA 5+ runtime and a JSF 2.x implementation as mandatory
dependencies. There’re some optional libraries for certain features.
* Listed versions are tested and known to be working with PrimeFaces, other versions of these
dependencies may also work but not tested.
2.3 Configuration
PrimeFaces does not require any mandatory configuration.
<html xmlns="http://www.w3c.org/1999/xhtml"
xmlns:h="http://java.sun.com/jsf/html"
xmlns:p="http://primefaces.org/ui">
<h:head>
</h:head>
<h:body>
<p:editor />
</h:body>
</html>
When you run this page, you should see a rich text editor.
14
PrimeFaces Userʼs Guide
3. Component Suite
3.1 AccordionPanel
AccordionPanel is a container component that displays content in stacked format.
Info
Tag accordionPanel
Attributes
15
PrimeFaces Userʼs Guide
onTabChange null String Client side callback to invoke when an inactive tab
is clicked.
onTabShow null String Client side callback to invoke when a tab gets
activated.
cache TRUE Boolean Defines if activating a dynamic tab should load the
contents from server again.
Accordion panel consists of one or more tabs and each tab can group any content.
<p:accordionPanel>
<p:tab title="First Tab Title">
<h:outputText value= "Lorem"/>
...More content for first tab
</p:tab>
<p:tab title="Second Tab Title">
<h:outputText value="Ipsum" />
</p:tab>
//any number of tabs
</p:accordionPanel>
AccordionPanel supports lazy loading of tab content, when dynamic option is set true, only active
tab contents will be rendered to the client side and clicking an inactive tab header will do an ajax
request to load the tab contents.
This feature is useful to reduce bandwidth and speed up page loading time. By default activating a
previously loaded dynamic tab does not initiate a request to load the contents again as tab is cached.
To control this behavior use cache option.
16
PrimeFaces Userʼs Guide
<p:accordionPanel dynamic="true">
//..tabs
</p:accordionPanel>
onTabChange is called before a tab is shown and onTabShow is called after. Both receive container
element of the tab to show as the parameter.
<p:accordionPanel onTabChange="handleChange(panel)">
//..tabs
</p:accordionPanel>
<script type="text/javascript">
function handleChange(panel) {
//panel: new tab content container
}
</script>
tabChange is the one and only ajax behavior event of accordion panel that is executed when a tab is
toggled.
<p:accordionPanel>
<p:ajax event=”tabChange” listener=”#{bean.onChange}” />
</p:accordionPanel>
When the tabs to display are not static, use the built-in iteration feature similar to ui:repeat.
17
PrimeFaces Userʼs Guide
Disabled Tabs
<p:accordionPanel>
<p:tab title="First Tab Title" disabled=”true”>
<h:outputText value= "Lorem"/>
...More content for first tab
</p:tab>
<p:tab title="Second Tab Title">
<h:outputText value="Ipsum" />
</p:tab>
//any number of tabs
</p:accordionPanel>
Multiple Selection
By default, only one tab at a time can be active, enable multiple mode to activate multiple tabs.
<p:accordionPanel multiple=”true”>
//tabs
</p:accordionPanel>
Widget: PrimeFaces.widget.AccordionPanel
select(index) index: Index of tab to display void Activates tab with given index.
unselect(index) index: Index of tab to hide void Deactivates tab with given index.
Skinning
AccordionPanel resides in a main container element which style and styleClass options apply.
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
18
PrimeFaces Userʼs Guide
3.2 AjaxBehavior
AjaxBehavior is an extension to standard f:ajax.
Info
Tag ajax
Behavior Id org.primefaces.component.AjaxBehavior
Attributes
immediate FALSE boolean Boolean value that determines the phaseId, when true
actions are processed at apply_request_values, when false
at invoke_application phase.
async FALSE Boolean When set to true, ajax requests are not queued.
global TRUE Boolean Global ajax requests are listened by ajaxStatus component,
setting global to false will not trigger ajaxStatus.
<h:inputText value="#{bean.text}">
<p:ajax update="out" />
</h:inputText>
<h:outputText id="out" value="#{bean.text}" />
19
PrimeFaces Userʼs Guide
In the example above, each time the input changes, an ajax request is sent to the server. When the
response is received output text with id "out" is updated with value of the input.
Listener
<h:inputText id="counter">
<p:ajax update="out" listener="#{counterBean.increment}"/>
</h:inputText>
<h:outputText id="out" value="#{counterBean.count}" />
Events
Default client side events are defined by components that support client behaviors, for input
components it is onchange and for command components it is onclick. In order to override the dom
event to trigger the ajax request use event option. In following example, ajax request is triggered
when key is up on input field.
Partial Processing
Partial processing is used with process option which defaults to @this, meaning the ajaxified
component. See section 5 for detailed information on partial processing.
20
PrimeFaces Userʼs Guide
3.3 AjaxStatus
AjaxStatus is a global notifier for ajax requests made by PrimeFaces components.
Info
Tag ajaxStatus
Attributes
onstart null String Client side callback to execute after ajax requests
start.
oncomplete null String Client side callback to execute after ajax requests
complete.
onprestart null String Client side callback to execute before ajax requests
start.
onsuccess null String Client side callback to execute after ajax requests
completed succesfully.
21
PrimeFaces Userʼs Guide
AjaxStatus uses facets to represent the request status. Most common used facets are start and
complete. Start facet will be visible once ajax request begins and stay visible until it’s completed.
Once the ajax response is received start facet becomes hidden and complete facet shows up.
<p:ajaxStatus>
<f:facet name="start">
<p:graphicImage value="ajaxloading.gif" />
</f:facet>
<f:facet name="complete">
<h:outputText value="Done!" />
</f:facet>
</p:ajaxStatus>
Events
<p:ajaxStatus>
<f:facet name="prestart">
<h:outputText value="Starting..." />
</f:facet>
<f:facet name="error">
<h:outputText value="Error" />
</f:facet>
<f:facet name="success">
<h:outputText value="Success" />
</f:facet>
<f:facet name="default">
<h:outputText value="Idle" />
</f:facet>
<f:facet name="start">
<h:outputText value="Sending" />
</f:facet>
<f:facet name="complete">
<h:outputText value="Done" />
</f:facet>
</p:ajaxStatus>
22
PrimeFaces Userʼs Guide
Custom Events
Facets are the declarative way to use, if you’d like to implement advanced cases with scripting you
can take advantage of on* callbacks which are the event handler counterparts of the facets.
Widget: PrimeFaces.widget.AjaxStatus
Skinning
AjaxStatus is equipped with style and styleClass. Styling directly applies to a container element
which contains the facets.
Tips
23
PrimeFaces Userʼs Guide
3.4 AutoComplete
AutoComplete provides live suggestions while an input is being typed.
Info
Tag autoComplete
Attributes
24
PrimeFaces Userʼs Guide
oncomplete null String Client side callback to execute after ajax request
to load suggestions completes.
25
PrimeFaces Userʼs Guide
accesskey null String Access key that when pressed transfers focus to
the input element.
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
26
PrimeFaces Userʼs Guide
onselect null String Client side callback to execute when text within
input element is selected by user.
readonly FALSE Boolean Flag indicating that this component will prevent
changes by the user.
Suggestions are loaded by calling a server side completeMethod that takes a single string parameter
which is the text entered. Since autoComplete is an input component, it requires a value as usual.
//getter setter
}
27
PrimeFaces Userʼs Guide
Pojo Support
Most of the time, instead of simple strings you would need work with your domain objects,
autoComplete supports this common use case with the use of a converter and data iterator.
Following example loads a list of players, itemLabel is the label displayed as a suggestion and
itemValue is the submitted value. Note that when working with pojos, you need to plug-in your own
converter.
<p:autoComplete value="#{playerBean.selectedPlayer}"
completeMethod="#{playerBean.completePlayer}"
var="player"
itemLabel="#{player.name}"
itemValue="#{player}"
converter="playerConverter"/>
<p:autoComplete value="#{bean.text}"
completeMethod="#{bean.complete}"
maxResults="5" />
28
PrimeFaces Userʼs Guide
By default queries are sent to the server and completeMethod is called as soon as users starts typing
at the input text. This behavior is tuned using the minQueryLength attribute.
With this setting, suggestions will start when user types the 3rd character at the input field.
Query Delay
AutoComplete is optimized using queryDelay option, by default autoComplete waits for 300
milliseconds to query a suggestion request, if you’d like to tune the load balance, give a longer
value. Following autoComplete waits for 1 second after user types an input.
Custom Content
<p:autoComplete value="#{autoCompleteBean.selectedPlayer}"
completeMethod="#{autoCompleteBean.completePlayer}"
var="p" itemValue="#{p}" converter="player">
<p:column>
<p:graphicImage value="/images/barca/#{p.photo}" width="40" height="50"/>
</p:column>
<p:column>
#{p.name} - #{p.number}
</p:column>
</p:autoComplete>
Dropdown Mode
When dropdown mode is enabled, a dropdown button is displayed next to the input field, clicking
this button will do a search with an empty query, a regular completeMethod implementation should
load all available items as a response.
29
PrimeFaces Userʼs Guide
Multiple Selection
AutoComplete supports multiple selection as well, to use this feature set multiple option to true and
define a list as your backend model. Following example demonstrates multiple selection with
custom content support.
<p:column style="width:20%;text-align:center">
<p:graphicImage value="/images/barca/#{p.photo}"/>
</p:column>
<p:column style="width:80%">
#{p.name} - #{p.number}
</p:column>
</p:autoComplete>
//...
}
Instead of waiting for user to submit the form manually to process the selected item, you can enable
instant ajax selection by using the itemSelect ajax behavior. Example below demonstrates how to
display a message about the selected item instantly.
30
PrimeFaces Userʼs Guide
...
}
Your listener(if defined) will be invoked with an org.primefaces.event.Select instance that contains
a reference to the selected item. Note that autoComplete also supports events inherited from regular
input text such as blur, focus, mouseover in addition to itemSelect.
Similarly, itemUnselect event is provided for multiple autocomplete when an item is removed by
clicking the remove icon. In this case org.primefaces.event.Unselect instance is passed to a listener
if defined.
onstart and oncomplete are used to execute custom javascript before and after an ajax request to
load suggestions.
onstart callback gets a request parameter and oncomplete gets a response parameter, these
parameters contain useful information. For example request is the query string and response is the
xhr request sent under the hood.
Widget: PrimeFaces.widget.AutoComplete
search(value) value: keyword for search void Initiates a search with given value
31
PrimeFaces Userʼs Guide
Skinning
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
Tips
32
PrimeFaces Userʼs Guide
3.5 BreadCrumb
Breadcrumb is a navigation component that provides contextual information about page hierarchy
in the workflow.
Info
Tag breadCrumb
Attributes
<p:breadCrumb>
<p:menuitem label="Categories" url="#" />
<p:menuitem label="Sports" url="#" />
//more menuitems
</p:breadCrumb>
33
PrimeFaces Userʼs Guide
Dynamic Menus
Menus can be created programmatically as well, see the dynamic menus part in menu component
section for more information and an example.
Skinning
Breadcrumb resides in a container element that style and styleClass options apply.
As skinning style classes are global, see the main Skinning section for more information.
Tips
• If there is a dynamic flow, use model option instead of creating declarative p:menuitem
components and bind your MenuModel representing the state of the flow.
• Breadcrumb can do ajax/non-ajax action requests as well since p:menuitem has this option. In this
case, breadcrumb must be nested in a form.
• url option is the key for a menuitem, if it is defined, it will work as a simple link. If you’d like to
use menuitem to execute command with or without ajax, do not define the url option.
34
PrimeFaces Userʼs Guide
3.6 Button
Button is an extension to the standard h:button component with skinning capabilities.
Info
Tag button
Attributes
fragment null String Identifier of the target page which should be scrolled to.
accesskey null String Access key that when pressed transfers focus to button.
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
image null String Style class for the button icon. (deprecated: use icon)
35
PrimeFaces Userʼs Guide
lang null String Code describing the language used in the generated
markup for this component.
onblur null String Client side callback to execute when button loses focus.
onchange null String Client side callback to execute when button loses focus
and its value has been modified since gaining focus.
onclick null String Client side callback to execute when button is clicked.
ondblclick null String Client side callback to execute when button is double
clicked.
onfocus null String Client side callback to execute when button receives
focus.
onkeydown null String Client side callback to execute when a key is pressed
down over button.
onkeypress null String Client side callback to execute when a key is pressed and
released over button.
onkeyup null String Client side callback to execute when a key is released
over button.
onmousedown null String Client side callback to execute when a pointer button is
pressed down over button.
onmousemove null String Client side callback to execute when a pointer button is
moved within button
onmouseout null String Client side callback to execute when a pointer button is
moved away from button.
onmouseover null String Client side callback to execute when a pointer button is
moved onto button.
onmouseup null String Client side callback to execute when a pointer button is
released over button.
36
PrimeFaces Userʼs Guide
p:button usage is same as standard h:button, an outcome is necessary to navigate using GET
requests. Assume you are at source.xhtml and need to navigate target.xhtml.
Parameters
Icons
Icons for button are defined via css and icon attribute, if you use title instead of value, only icon
will be displayed and title text will be displayed as tooltip on mouseover. You can also use icons
from PrimeFaces themes.
.star {
background-image: url("images/star.png");
}
Skinning
Button renders a button tag which style and styleClass applies. Following is the list of structural
style classes;
As skinning style classes are global, see the main Skinning section for more information.
37
PrimeFaces Userʼs Guide
3.7 Calendar
Calendar is an input component used to select a date featuring display modes, paging, localization,
ajax selection and more.
Info
Tag calendar
Attributes
38
PrimeFaces Userʼs Guide
39
PrimeFaces Userʼs Guide
showOn both String Client side event that displays the popup
calendar.
dir null String Direction indication for text that does not
inherit directionality. Valid values are
LTR and RTL.
40
PrimeFaces Userʼs Guide
41
PrimeFaces Userʼs Guide
<p:calendar value="#{dateBean.date}"/>
Display Modes
Calendar has two main display modes, popup (default) and inline.
Inline
Popup
42
PrimeFaces Userʼs Guide
showOn option defines the client side event to display the calendar. Valid values are;
Popup Button
Paging
Calendar can also be rendered in multiple pages where each page corresponds to one month. This
feature is tuned with the pages attribute.
43
PrimeFaces Userʼs Guide
Localization
By default locale information is retrieved from the view’s locale and can be overridden by the
locale attribute. Locale attribute can take a locale key as a String or a java.util.Locale instance.
Default language of labels are English and you need to add the necessary translations to your page
manually as PrimeFaces does not include language translations. PrimeFaces Wiki Page for
PrimeFacesLocales is a community driven page where you may find the translations you need.
Please contribute to this wiki with your own translations.
http://wiki.primefaces.org/display/Components/PrimeFaces+Locales
Translation is a simple javascript object, we suggest adding the code to a javascript file and include
in your application. Following is a Turkish calendar.
44
PrimeFaces Userʼs Guide
Effects
Various effects can be used when showing and hiding the popup calendar, options are;
• show
• slideDown
• fadeIn
• blind
• bounce
• clip
• drop
• fold
• slide
Calendar provides a dateSelect ajax behavior event to execute an instant ajax selection whenever a
date is selected. If you define a method as a listener, it will be invoked by passing an
org.primefaces.event.DateSelectEvent instance.
<p:calendar value="#{calendarBean.date}">
<p:ajax event=”dateSelect” listener=”#{bean.handleDateSelect}” update=”msg” />
</p:calendar>
In popup mode, calendar also supports regular ajax behavior events like blur, keyup and more.
Date Ranges
Using mindate and maxdate options, selectable dates can be restricted. Values for these attributes
can either be a string or a java.util.Date.
45
PrimeFaces Userʼs Guide
Navigator
TimePicker
Widget: PrimeFaces.widget.Calendar
46
PrimeFaces Userʼs Guide
Skinning
Calendar resides in a container element which style and styleClass options apply.
.ui-datepicker-title Title
As skinning style classes are global, see the main Skinning section for more information
47
PrimeFaces Userʼs Guide
3.8 Captcha
Captcha is a form validation component based on Recaptcha API.
Info
Tag captcha
Attributes
48
PrimeFaces Userʼs Guide
tabindex null Integer Position of the input element in the tabbing order.
Catpcha is implemented as an input component with a built-in validator that is integrated with
reCaptcha. First thing to do is to sign up to reCaptcha to get public&private keys. Once you have
the keys for your domain, add them to web.xml as follows;
<context-param>
<param-name>primefaces.PRIVATE_CAPTCHA_KEY</param-name>
<param-value>YOUR_PRIVATE_KEY</param-value>
</context-param>
<context-param>
<param-name>primefaces.PUBLIC_CAPTCHA_KEY</param-name>
<param-value>YOUR_PUBLIC_KEY</param-value>
</context-param>
<p:captcha />
49
PrimeFaces Userʼs Guide
Themes
Captcha features following built-in themes for look and feel customization.
• red (default)
• white
• blackglass
• clean
<p:captcha theme="white"/>
Languages
Text instructions displayed on captcha is customized with the language attribute. Below is a captcha
with Turkish text.
<p:captcha language="tr"/>
By default captcha displays it’s own validation messages, this can be easily overridden by the JSF
message bundle mechanism. Corresponding keys are;
Summary primefaces.captcha.INVALID
Detail primefaces.captcha.INVALID_detail
Tips
• Use label option to provide readable error messages in case validation fails.
• Enable secure option to support https otherwise browsers will give warnings.
• See http://www.google.com/recaptcha/learnmore to learn more about how reCaptcha works.
50
PrimeFaces Userʼs Guide
3.9 Carousel
Carousel is a multi purpose component to display a set of data or general content with slide effects.
Info
Tag carousel
Attributes
51
PrimeFaces Userʼs Guide
Calendar has two main use-cases; data and general content display. To begin with data iteration let’s
use a list of cars to display with carousel.
public CarListController() {
cars = new ArrayList<Car>();
cars.add(new Car("myModel", 2005, "ManufacturerX", "blue"));
//add more cars
}
//getter setter
}
52
PrimeFaces Userʼs Guide
Carousel iterates through the cars collection and renders it’s children for each car, note that you also
need to define a width for each item.
Bu default carousel lists it’s items in pages with size 3. This is customizable with the rows attribute.
Effects
Paging happens with a slider effect by default and following easing options are supported.
• backBoth
• backIn
• backOut
• bounceBoth
• bounceIn
• bounceOut
• easeBoth
• easeBothStrong
• easeIn
• easeInStrong
• easeNone
• easeOut
• easeOutStrong
• elasticBoth
• elasticIn
• elasticOut
53
PrimeFaces Userʼs Guide
Note: Easing names are case sensitive and incorrect usage may result in javascript errors
SlideShow
Carousel can display the contents in a slideshow, for this purpose autoPlayInterval and circular
attributes are used. Following carousel displays a collection of images as a slideshow.
Content Display
54
PrimeFaces Userʼs Guide
Item Selection
When selecting an item from a carousel with a command component, p:column is necessary to
process selection properly. Following example displays selected car contents within a dialog;
<h:form id=”form">
<p:carousel value="#{carBean.cars}" var="car" itemStyle=”width:200px” >
<p:column>
<p:graphicImage value="/images/cars/#{car.manufacturer}.jpg"/>
<p:commandLink update=":form:detail" oncomplete="dlg.show()">
<h:outputText value="Model: #{car.model}" />
<f:setPropertyActionListener value="#{car}" target="#{carBean.selected}" />
</p:commandLink>
</p:column>
</p:carousel>
<p:dialog widgetVar="dlg">
<h:outputText id="detail" value="#{carBean.selected}" />
</p:dialog>
</h:form>
Header and Footer of carousel can be defined in two ways either, using headerText and footerText
options that take simple strings as labels or by header and footer facets that can take any custom
content.
Skinning
Carousel resides in a container element which style and styleClass options apply. itemStyle and
itemStyleClass attributes apply to each item displayed by carousel. Following is the list of structural
style classes;
55
PrimeFaces Userʼs Guide
As skinning style classes are global, see the main Skinning section for more information.
Tips
• Carousel is a NamingContainer, make sure you reference components outside of carousel properly
following conventions.
56
PrimeFaces Userʼs Guide
3.10 CellEditor
CellEditor is a helper component of datatable used for incell editing.
Info
Tag cellEditor
Attributes
See inline editing section in datatable documentation for more information about usage.
57
PrimeFaces Userʼs Guide
3.11 Charts
Charts are used to display graphical data. There’re various chart types like pie, bar, line and more.
Info
Tag pieChart
Attributes
58
PrimeFaces Userʼs Guide
public Bean() {
model = new PieChartModel();
model.set("Brand 1", 540);
model.set("Brand 2", 325);
model.set("Brand 3", 702);
model.set("Brand 4", 421);
}
59
PrimeFaces Userʼs Guide
Customization
PieChart can be customized using various options such as fill, sliceMargin and diameter, here is an
example;
60
PrimeFaces Userʼs Guide
Info
Tag lineChart
Attributes
61
PrimeFaces Userʼs Guide
fillToZero FALSE Boolean True will force filled series to fill toward zero.
public ChartBean() {
model = new CartesianChartModel();
ChartSeries boys = new ChartSeries();
boys.setLabel("Boys");
boys.set("2004", 120);
boys.set("2005", 100);
//...
model.addSeries(boys);
model.addSeries(girs);
}
public CartesianChartModel getModel() {
return model;
}
}
62
PrimeFaces Userʼs Guide
AreaChart
63
PrimeFaces Userʼs Guide
Info
Tag barChart
Attributes
orientation vertical String Orientation of bars, valid values are “vertical” and
“horizontal”.
64
PrimeFaces Userʼs Guide
Orientation
65
PrimeFaces Userʼs Guide
Stacked BarChart
66
PrimeFaces Userʼs Guide
Info
Tag donutChart
Attributes
67
PrimeFaces Userʼs Guide
public Bean() {
model = new DonutChart();
68
PrimeFaces Userʼs Guide
Customization
69
PrimeFaces Userʼs Guide
BubbleChart visualizes entities that are defined in terms of three distinct numeric values.
Info
Tag bubbleChart
Attributes
70
PrimeFaces Userʼs Guide
public Bean() {
bubbleModel = new BubbleChartModel();
71
PrimeFaces Userʼs Guide
Customization
72
PrimeFaces Userʼs Guide
An open-high-low-close chart is a type of graph typically used to visualize movements in the price
of a financial instrument over time.
Info
Tag ohlcChart
Attributes
73
PrimeFaces Userʼs Guide
public Bean() {
model = new OhlcChartModel();
ohlcModel.addRecord(new OhlcChartSeries(2007,143.82,144.56,136.04,136.97));
ohlcModel.addRecord(new OhlcChartSeries(2008,138.7,139.68,135.18,135.4));
ohlcModel.addRecord(new OhlcChartSeries(2009,143.46,144.66,139.79,140.02));
ohlcModel.addRecord(new OhlcChartSeries(2010,140.67,143.56,132.88,142.44));
ohlcModel.addRecord(new OhlcChartSeries(2011,136.01,139.5,134.53,139.48));
ohlcModel.addRecord(new OhlcChartSeries(2012,124.76,135.9,124.55,135.81));
ohlcModel.addRecord(new OhlcChartSeries(2012,123.73,129.31,121.57,122.5));
}
//getter
}
CandleStick
74
PrimeFaces Userʼs Guide
Info
Tag meterGaugeChart
Attributes
labelHeightAdjust -25 Integer Number of pixels to offset the label up and down.
75
PrimeFaces Userʼs Guide
public Bean() {
List<Number> intervals = new ArrayList<Number>(){{
add(20);
add(50);
add(120);
add(220);
}};
Customization
76
PrimeFaces Userʼs Guide
Charts are built on top of jqlot javascript library that uses a canvas tag and can be styled using
regular css. Following is the list of style classes;
.jqplot-axis Axes.
Additionally style and styleClass options of charts apply to the container element of charts, use
these attribute to specify the dimensions of a chart.
In case you’d like to change the colors of series, use the seriesColors options.
77
PrimeFaces Userʼs Guide
itemSelect is one and only ajax behavior event of charts, this event is triggered when a series of a
chart is clicked. In case you have a listener defined, it’ll be executed by passing an
org.primefaces.event.ItemSelectEvent instance.
Example above demonstrates how to display a message about selected series in chart.
<p:pieChart value="#{bean.model}">
<p:ajax event=”itemSelect” listener=”#{bean.itemSelect}” update=”msg” />
</p:pieChart>
FacesContext.getCurrentInstance().addMessage(null, msg);
}
}
78
PrimeFaces Userʼs Guide
jqPlot
Charts components use jqPlot as the underlying charting engine which uses a canvas element uner
the hood with support for IE.
jFreeChart
If you like to use static image charts instead of canvas based charts, see the JFreeChart integration
example at graphicImage section. Note that static images charts are not rich as PrimeFaces chart
components and you need to know about jFreeChart apis to create the charts.
79
PrimeFaces Userʼs Guide
3.12 Collector
Collector is a simple utility to manage collections declaratively.
Info
Tag collector
Attributes
Collector requires a collection and a value to work with. It’s important to override equals and
hashCode methods of the value object to make collector work.
<p:commandLink value="Remove">
<p value="#{book}" removeFrom="#{createBookBean.books}" />
</p:commandLink>
80
PrimeFaces Userʼs Guide
Info
Tag colorPicker
Attributes
81
PrimeFaces Userʼs Guide
mode popup String Display mode, valid values are “popup” and
“inline”.
Display Mode
ColorPicker has two modes, default mode is popup and other available option is inline.
82
PrimeFaces Userʼs Guide
Skinning
ColorPicker resides in a container element which style and styleClass options apply.
Example below changes the skin of color picker to a silver look and feel.
83
PrimeFaces Userʼs Guide
.silver .ui-colorpicker-container {
background-image: url(silver_background.png);
}
.silver .ui-colorpicker_hex {
background-image: url(silver_hex.png);
}
.silver .ui-colorpicker_rgb_r {
background-image: url(silver_rgb_r.png);
}
.silver .ui-colorpicker_rgb_g {
background-image: url(silver_rgb_g.png);
}
.silver .ui-colorpicker_rgb_b {
background-image: url(silver_rgb_b.png);
}
.silver .ui-colorpicker_hsb_s {
background-image: url(silver_hsb_s.png);
}
.silver .ui-colorpicker_hsb_h {
background-image: url(silver_hsb_h.png);
}
.silver .ui-colorpicker_hsb_b {
background-image: url(silver_hsb_b.png);
}
.silver .ui-colorpicker_submit {
background-image: url(silver_submit.png);
}
84
PrimeFaces Userʼs Guide
3.14 Column
Column is an extended version of the standard column used by various PrimeFaces components like
datatable, treetable and more.
Info
Tag column
Attributes
85
PrimeFaces Userʼs Guide
Note
As column is a reused component, not all attributes of column are implemented by the components
that use column, for example filterBy is only used by datatable whereas sortBy is used by datatable
and sheet.
86
PrimeFaces Userʼs Guide
3.15 Columns
Columns is used by datatable to create columns programmatically.
Info
Tag columns
Attributes
87
PrimeFaces Userʼs Guide
3.16 ColumnGroup
ColumnGroup is used by datatable for column grouping.
Info
Tag columnGroup
Attributes
type null String Type of group, valid values are “header” and “footer”.
88
PrimeFaces Userʼs Guide
3.17 CommandButton
CommandButton is an extended version of standard commandButton with ajax and theming.
Info
Tag commandButton
Component org.primefaces.component
Family
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
immediate FALSE Boolean Boolean value that determines the phaseId, when true
actions are processed at apply_request_values, when
false at invoke_application phase.
ajax TRUE Boolean Specifies the submit mode, when set to true(default),
submit would be made with Ajax.
async FALSE Boolean When set to true, ajax requests are not queued.
89
PrimeFaces Userʼs Guide
onstart null String Client side callback to execute before ajax request is
begins.
oncomplete null String Client side callback to execute when ajax request is
completed.
onsuccess null String Client side callback to execute when ajax request
succeeds.
onerror null String Client side callback to execute when ajax request fails.
onblur null String Client side callback to execute when button loses focus.
onchange null String Client side callback to execute when button loses focus
and its value has been modified since gaining focus.
onclick null String Client side callback to execute when button is clicked.
ondblclick null String Client side callback to execute when button is double
clicked.
onfocus null String Client side callback to execute when button receives
focus.
onkeydown null String Client side callback to execute when a key is pressed
down over button.
onkeypress null String Client side callback to execute when a key is pressed and
released over button.
onkeyup null String Client side callback to execute when a key is released
over button.
onmousedown null String Client side callback to execute when a pointer button is
pressed down over button.
onmousemove null String Client side callback to execute when a pointer button is
moved within button.
onmouseout null String Client side callback to execute when a pointer button is
moved away from button.
onmouseover null String Client side callback to execute when a pointer button is
moved onto button.
onmouseup null String Client side callback to execute when a pointer button is
released over button.
onselect null String Client side callback to execute when text within button is
selected by user.
accesskey null String Access key that when pressed transfers focus to the
button.
90
PrimeFaces Userʼs Guide
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
image null String Style class for the button icon. (deprecated: use icon)
lang null String Code describing the language used in the generated
markup for this component.
tabindex null Integer Position of the button element in the tabbing order.
readonly FALSE Boolean Flag indicating that this component will prevent changes
by the user.
Reset Buttons
Reset buttons do not submit the form, just resets the form contents.
91
PrimeFaces Userʼs Guide
Push Buttons
Push buttons are used to execute custom javascript without causing an ajax/non-ajax request. To
create a push button set type as "button".
CommandButton has built-in ajax capabilities, ajax submit is enabled by default and configured
using ajax attribute. When ajax attribute is set to false, form is submitted with a regular full page
refresh.
The update attribute is used to partially update other component(s) after the ajax response is
received. Update attribute takes a comma or white-space separated list of JSF component ids to be
updated. Basically any JSF component, not just PrimeFaces components should be updated with the
Ajax response.
In the following example, form is submitted with ajax and display outputText is updated with the
ajax response.
<h:form>
<h:inputText value="#{bean.text}" />
<p:commandButton value="Submit" update="display"/>
<h:outputText value="#{bean.text}" id="display" />
</h:form>
Tip: You can use the ajaxStatus component to notify users about the ajax request.
Icons
An icon on a button is provided using icon option. iconPos is used to define the position of the
button which can be “left” or “right”.
.disk {
background-image: url(‘disk.png’) !important;
}
You can also use the pre-defined icons from ThemeRoller like ui-icon-search.
92
PrimeFaces Userʼs Guide
Widget: PrimeFaces.widget.CommandButton
Skinning
As skinning style classes are global, see the main Skinning section for more information.
93
PrimeFaces Userʼs Guide
3.18 CommandLink
CommandLink extends standard JSF commandLink with Ajax capabilities.
Info
Tag commandLink
Attributes
immediate FALSE Boolean Boolean value that determines the phaseId, when
true actions are processed at
apply_request_values, when false at
invoke_application phase.
async FALSE Boolean When set to true, ajax requests are not queued.
ajax TRUE Boolean Specifies the submit mode, when set to true
(default), submit would be made with Ajax.
oncomplete null String Client side callback to execute when ajax request
is completed.
onsuccess null String Client side callback to execute when ajax request
succeeds.
onerror null String Client side callback to execute when ajax request
fails.
onblur null String Client side callback to execute when link loses
focus.
onfocus null String Client side callback to execute when link receives
focus.
accesskey null String Access key that when pressed transfers focus to
the link.
coords null String Position and shape of the hot spot on the screen
for client use in image maps.
95
PrimeFaces Userʼs Guide
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
rev null String A reverse link from the anchor specified by this
link to the current document, values are provided
by a space-separated list of link types.
shape null String Shape of hot spot on the screen, valid values are
default, rect, circle and poly.
CommandLink is used just like the standard h:commandLink, difference is form is submitted with
ajax by default.
<p:commandLink actionListener="#{bookBean.saveBook}">
<h:outputText value="Save" />
</p:commandLink>
Skinning
CommandLink renders an html anchor element that style and styleClass attributes apply.
96
PrimeFaces Userʼs Guide
3.19 ConfirmDialog
ConfirmDialog is a replacement to the legacy javascript confirmation box. Skinning, customization
and avoiding popup blockers are notable advantages over classic javascript confirmation.
Info
Tag confirmDialog
Attributes
97
PrimeFaces Userʼs Guide
ConfirmDialog has a simple client side api, show() and hide() functions are used to display and
close the dialog respectively. You can call these functions to display a confirmation from any
component like commandButton, commandLink, menuitem and more.
<h:form>
<p:commandButton type="button" onclick="cd.show()" />
Message
Message can be defined in two ways, either via message option or message facet. Message facet is
useful if you need to place custom content instead of simple text. Note that header can also be
defined using the header attribute or the header facet.
//...
</p:confirmDialog>
Severity
Severity defines the icon to display next to the message, default severity is alert and the other
option is info.
98
PrimeFaces Userʼs Guide
Widget: PrimeFaces.widget.ConfirmDialog
Skinning
ConfirmDialog resides in a main container element which style and styleClass options apply.
As skinning style classes are global, see the main Skinning section for more information.
99
PrimeFaces Userʼs Guide
3.20 ContextMenu
ContextMenu provides an overlay menu displayed on mouse right-click event.
Info
Tag contextMenu
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
ContextMenu is created with menuitems. Optional for attribute defines which component the
contextMenu is attached to. When for is not defined, contextMenu is attached to the page meaning,
right-click on anywhere on page will display the menu.
100
PrimeFaces Userʼs Guide
<p:contextMenu>
<p:menuitem value="Save" actionListener="#{bean.save}" update="msg"/>
<p:menuitem value="Delete" actionListener="#{bean.delete}" ajax="false"/>
<p:menuitem value="Go Home" url="www.primefaces.org" target="_blank"/>
</p:contextMenu
ContextMenu example above is attached to the whole page and consists of three different
menuitems with different use cases. First menuitem triggers an ajax action, second one triggers a
non-ajax action and third one is used for navigation.
Attachment
ContextMenu can be attached to any JSF component, this means right clicking on the attached
component will display the contextMenu. Following example demonstrates an integration between
contextMenu and imageSwitcher, contextMenu here is used to navigate between images.
<p:contextMenu for="images">
<p:menuitem value="Previous" url="#" onclick="gallery.previous()" />
<p:menuitem value="Next" url="#" onclick="gallery.next()" />
</p:contextMenu>
Data Components
Data components like datatable, tree and treeTable has special integration with context menu, see
the documentation of these component for more information.
101
PrimeFaces Userʼs Guide
Dynamic Menus
ContextMenus can be created programmatically as well, see the dynamic menus part in menu
component section for more information and an example.
Skinning
ContextMenu resides in a main container which style and styleClass attributes apply. Following is
the list of structural style classes;
As skinning style classes are global, see the main Skinning section for more information.
102
PrimeFaces Userʼs Guide
3.21 Dashboard
Dashboard provides a portal like layout with drag&drop based reorder capabilities.
Info
Tag dashboard
Attributes
103
PrimeFaces Userʼs Guide
<p:dashboard model="#{bean.model}">
<p:panel id="sports">
//Sports Content
</p:panel>
<p:panel id="finance">
//Finance Content
</p:panel>
//more panels like lifestyle, weather, politics...
</p:dashboard>
Dashboard model simply defines the number of columns and the widgets to be placed in each
column. See the end of this section for the detailed Dashboard API.
public Bean() {
model = new DefaultDashboardModel();
DashboardColumn column1 = new DefaultDashboardColumn();
DashboardColumn column2 = new DefaultDashboardColumn();
DashboardColumn column3 = new DefaultDashboardColumn();
column1.addWidget("sports");
column1.addWidget("finance");
column2.addWidget("lifestyle");
column2.addWidget("weather");
column3.addWidget("politics");
model.addColumn(column1);
model.addColumn(column2);
model.addColumn(column3);
}
}
State
“reorder” is the one and only ajax behavior event provided by dashboard, this event is fired when
dashboard panels are reordered. A defined listener will be invoked by passing an
org.primefaces.event.DashboardReorderEvent instance containing information about reorder.
104
PrimeFaces Userʼs Guide
<p:dashboard model="#{bean.model}">
<p:ajax event=”reorder” update=”messages” listener=”#{bean.handleReorder}” />
//panels
</p:dashboard>
...
//Add facesmessage
}
}
If a widget is reordered in the same column, senderColumnIndex will be null. This field is
populated only when a widget is transferred to a column from another column. Also when the
listener is invoked, dashboard has already updated it’s model.
Disabling Dashboard
Widgets presented in dashboard can be closable, toggleable and have options menu as well,
dashboard doesn’t implement these by itself as these features are already provided by the panel
component. See panel component section for more information.
<p:dashboard model="#{dashboardBean.model}">
<p:panel id="sports" closable="true" toggleable="true">
//Sports Content
</p:panel>
</p:dashboard>
105
PrimeFaces Userʼs Guide
New Widgets
Draggable component is used to add new widgets to the dashboard. This way you can add new
panels from outside of the dashboard.
Skinning
Dashboard resides in a container element which style and styleClass options apply. Following is the
list of structural style classes;
div.ui-state-hover Placeholder
As skinning style classes are global, see the main Skinning section for more information. Here is an
example based on a different theme;
Tips
• Provide a column width using ui-dashboard-column style class otherwise empty columns might
not receive new widgets.
106
PrimeFaces Userʼs Guide
Method Description
void transferWidget(DashboardColumn from, Relocates the widget identifed with widget id to the
DashboardColumn to, String widgetId, int index) given index of the new column from old column.
org.primefaces.model.DashboardColumn (org.primefaces.model.map.DefaultDashboardModel is
the default implementation)
Method Description
String getWidget(int index) Returns the widget id with the given index
void addWidget(int index, String widgetId) Adds a new widget at given index
void reorderWidget(int index, String widgetId) Updates the index of widget in column
107
PrimeFaces Userʼs Guide
3.22 DataExporter
DataExporter is handy for exporting data listed using a Primefaces Datatable to various formats
such as excel, pdf, csv and xml.
Info
Tag dataExporter
Attributes
pageOnly FALSE String Exports only current page instead of whole dataset
excludeColumns null String Comma separated list(if more than one) of column
indexes to be excluded from export
108
PrimeFaces Userʼs Guide
Excel export
<p:commandButton value="Export as Excel" ajax="false">
<p:dataExporter type="xls" target="tableId" fileName="cars"/>
</p:commandButton>
PDF export
<p:commandButton value="Export as PDF" ajax="false" >
<p:dataExporter type="pdf" target="tableId" fileName="cars"/>
</p:commandButton>
CSV export
<p:commandButton value="Export as CSV" ajax="false" >
<p:dataExporter type="csv" target="tableId" fileName="cars"/>
</p:commandButton>
XML export
<p:commandButton value="Export as XML" ajax="false" >
<p:dataExporter type="xml" target="tableId" fileName="cars"/>
</p:commandLink>
PageOnly
By default dataExporter works on whole dataset, if you’d like export only the data displayed on
current page, set pageOnly to true.
Excluding Columns
In case you need one or more columns to be ignored use exludeColumns option. Exporter below
ignores first column, to exclude more than one column define the indexes as a comma separated
string (excludeColumns="0,2,6").
Monitor Status
109
PrimeFaces Userʼs Guide
Processors are handy to customize the exported document (e.g. add logo, caption ...). PreProcessors
are executed before the data is exported and PostProcessors are processed after data is included in
the document. Processors are simple java methods taking the document as a parameter.
First example of processors changes the background color of the exported excel’s headers.
110
PrimeFaces Userʼs Guide
3.23 DataGrid
DataGrid displays a collection of data in a grid layout.
Info
Tag dataGrid
Attributes
111
PrimeFaces Userʼs Guide
rowIndexVar null String Name of the iterator to refer each row index.
A list of cars will be used throughout the datagrid, datalist and datatable examples.
112
PrimeFaces Userʼs Guide
The code for CarBean that would be used to bind the datagrid to the car list.
public CarBean() {
cars = new ArrayList<Car>();
cars.add(new Car("myModel",2005,"ManufacturerX","blue"));
//add more cars
}
</p:dataGrid>
This datagrid has 3 columns and 12 rows. As datagrid extends from standard UIData, rows
correspond to the number of data to display not the number of rows to render so the actual number
of rows to render is rows/columns = 4. As a result datagrid is displayed as;
113
PrimeFaces Userʼs Guide
Ajax Pagination
DataGrid has a built-in paginator that is enabled by setting paginator option to true.
Paginator Template
• FirstPageLink
• LastPageLink
• PreviousPageLink
• NextPageLink
• PageLinks
• CurrentPageReport
• RowsPerPageDropDown
Note that {RowsPerPageDropDown} has it’s own template, options to display is provided via
rowsPerPageTemplate attribute (e.g. rowsPerPageTemplate="9,12,15").
Also {CurrentPageReport} has it’s own template defined with currentPageReportTemplate option.
You can use {currentPage},{totalPages},{totalRecords},{startRecord},{endRecord} keyword
within currentPageReportTemplate. Default is {currentPage} of{totalPages}.
Default UI is;
114
PrimeFaces Userʼs Guide
Paginator Position
Paginator can be positoned using paginatorPosition attribute in three different locations, "top",
"bottom" or "both" (default).
Selecting Data
Selection of data displayed in datagrid is very similar to row selection in datatable, you can access
the current data using the var reference. Important point is to place datagrid contents in a p:column
which is a child of datagrid. Here is an example to demonstrate how to select data from datagrid and
display within a dialog with ajax.
<h:form id="carForm">
</h:form>
115
PrimeFaces Userʼs Guide
Widget: PrimeFaces.widget.DataGrid
Skinning
DataGrid resides in a main div container which style and styleClass attributes apply.
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
116
PrimeFaces Userʼs Guide
3.24 DataList
DataList presents a collection of data in list layout with several display types.
Info
Tag dataList
Attributes
type unordered String Type of the list, valid values are "unordered",
"ordered" and "definition".
117
PrimeFaces Userʼs Guide
rowIndexVar null String Name of the iterator to refer each row index.
Since DataList is a data iteration component, it renders it’s children for each data represented with
var option. See itemType section for more information about the possible values.
Ordered Lists
DataList displays the data in unordered format by default, if you’d like to use ordered display set
type option to "ordered".
Item Type
A a i
Definition Lists
Third type of dataList is definition lists that display inline description for each item, to use
definition list set type option to "definition".
119
PrimeFaces Userʼs Guide
Ajax Pagination
DataList has a built-in paginator that is enabled by setting paginator option to true.
Pagination configuration and usage is same as dataGrid, see pagination section in dataGrid
documentation for more information and examples.
Selecting Data
Data selection can be implemented same as in dataGrid, see selecting data section in dataGrid
documentation for more information and examples.
Widget: PrimeFaces.widget.DataList
Skinning
DataList resides in a main div container which style and styleClass attributes apply.
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
120
PrimeFaces Userʼs Guide
3.25 DataTable
DataTable is an enhanced version of the standard Datatable that provides built-in solutions to many
commons use cases like paging, sorting, selection, lazy loading, filtering and more.
Info
Tag dataTable
Attributes
121
PrimeFaces Userʼs Guide
We will be using the same Car and CarBean classes described in DataGrid section.
Both datatable itself and columns can have headers and footers.
123
PrimeFaces Userʼs Guide
<f:facet name="header">
List of Cars
</f:facet>
<p:column>
<f:facet name="header">
Model
</f:facet>
#{car.model}
<f:facet name="footer">
8 digit code
</f:facet>
</p:column>
//more columns
<f:facet name="header">
In total there are #{fn:length(carBean.cars)} cars.
</f:facet>
</p:dataTable>
headerText and footerText attributes on column are handy shortcuts for header and footer facets that
just display plain texts.
Pagination
DataTable has a built-in ajax based paginator that is enabled by setting paginator option to true, see
pagination section in dataGrid documentation for more information about customization.
Sorting
Defining sortBy attribute enables ajax based sorting on that particular column.
124
PrimeFaces Userʼs Guide
Instead of using the default sorting algorithm which uses a java comparator, you can plug-in your
own sort method.
...more columns
</p:dataTable>
DataTable can display data sorted by default, to implement this use the sortBy option of datatable
and optional sortOrder. Table below would be initially displayed as sorted by model.
...more columns
</p:dataTable>
Data Filtering
Similar to sorting, ajax based filtering is enabled at column level by setting filterBy option.
...more columns
</p:dataTable>
125
PrimeFaces Userʼs Guide
Filtering is triggered with keyup event and filter inputs can be styled using filterStyle ,
filterStyleClass attributes. If you’d like to use a dropdown instead of an input field to only allow
predefined filter values use filterOptions attribute and a collection/array of selectitems as value. In
addition, filterMatchMode defines the built-in matcher which is startsWith by default. Following is
an advanced filtering datatable with these options demonstrated.
<f:facet name="header">
<p:outputPanel>
<h:outputText value="Search all fields:" />
<h:inputText id="globalFilter" onkeyup="carsTable.filter()" />
</p:outputPanel>
</f:facet>
</p:dataTable>
Filter located at header is a global one applying on all fields, this is implemented by calling client
side api method called filter(), important part is to specify the id of the input text as globalFilter
which is a reserved identifier for datatable.
126
PrimeFaces Userʼs Guide
Row Selection
There are several ways to select row(s) from datatable. Let’s begin by adding a Car reference for
single selection and a Car array for multiple selection to the CarBean to hold the selected data.
public CarBean() {
cars = new ArrayList<Car>();
cars.add(new Car("myModel",2005,"ManufacturerX","blue"));
//add more cars
}
...columns
</p:dataTable>
Previous method works when the button is clicked, if you’d like to enable selection wherever the
row is clicked, use selectionMode option.
127
PrimeFaces Userʼs Guide
Multiple row selection is similar to single selection but selection should reference an array of the
domain object displayed and user needs to use press modifier key(e.g. ctrl) during selection.
By default, row based selection is enabled by click event, enable dblClickSelect so that clicking
double on a row does the selection.
Selection a row with a radio button placed on each row is a common case, datatable has built-in
support for this method so that you don’t need to deal with h:selectOneRadio’s and low level bits.
In order to enable this feature, define a column with selectionMode set as single.
Similar to how radio buttons are enabled, define a selection column with a multiple selectionMode.
DataTable will also provide a selectAll checkbox at column header.
RowKey
RowKey should a unique identifier from your data model and used by datatable to find the selected
rows. You can either define this key by using the rowKey attribute or by binding a data model
which implements org.primefaces.model.SelectableDataModel.
128
PrimeFaces Userʼs Guide
Dynamic Columns
Dynamic columns is handy in case you can’t know how many columns to render. Columns
component is used to define the columns programmatically. It requires a collection as the value, two
iterator variables called var and columnIndexVar. Following example displays cars of each brand
dynamically;
public CarBean() {
populateColumns();
populateCars();
}
129
PrimeFaces Userʼs Guide
Grouping
Grouping is defined by ColumnGroup component used to combine datatable header and footers.
<p:columnGroup type="header">
<p:row>
<p:column rowspan="3" headerText="Manufacturer" />
<p:column colspan="4" headerText="Sales" />
</p:row>
<p:row>
<p:column colspan="2" headerText="Sales Count" />
<p:column colspan="2" headerText="Profit" />
</p:row>
<p:row>
<p:column headerText="Last Year" />
<p:column headerText="This Year" />
<p:column headerText="Last Year" />
<p:column headerText="This Year" />
</p:row>
</p:columnGroup>
<p:column>
#{sale.manufacturer}
</p:column>
<p:column>
#{sale.lastYearProfit}%
</p:column>
<p:column>
#{sale.thisYearProfit}%
</p:column>
<p:column>
#{sale.lastYearSale}$
</p:column>
<p:column>
#{sale.thisYearSale}$
</p:column>
<p:columnGroup type="footer">
<p:row>
<p:column colspan="3" style="text-align:right" footerText="Totals:"/>
<p:column footerText="#{tableBean.lastYearTotal}$" />
<p:column footerText="#{tableBean.thisYearTotal}$" />
</p:row>
</p:columnGroup>
</p:dataTable>
130
PrimeFaces Userʼs Guide
public CarBean() {
sales = //create a list of BrandSale objects
}
Scrolling
Scrolling is a way to display data with fixed headers, in order to enable simple scrolling set
scrollable option to true, define a fixed height in pixels and set a fixed width to each column.
131
PrimeFaces Userʼs Guide
Simple scrolling renders all data to client and places a scrollbar, live scrolling is necessary to deal
with huge data, in this case data is fetched whenever the scrollbar reaches bottom. Set liveScroll to
enable this option;
Scrolling has 3 modes; x, y and x-y scrolling that are defined by scrollHeight and scrollWidth.
Expandable Rows
<f:facet name="header">
Expand rows to see detailed information
</f:facet>
<p:column>
<p:rowToggler />
</p:column>
//columns
<p:rowExpansion>
//Detailed content of a car
</p:rowExpansion>
</p:dataTable>
132
PrimeFaces Userʼs Guide
Incell Editing
Incell editing provides an easy way to display editable data. p:cellEditor is used to define the cell
editor of a particular column and p:rowEditor is used to toggle edit/view displays of a row.
<f:facet name="header">
In-Cell Editing
</f:facet>
<p:column headerText="Model">
<p:cellEditor>
<f:facet name="output">
<h:outputText value="#{car.model}" />
</f:facet>
<f:facet name="input">
<h:inputText value="#{car.model}"/>
</f:facet>
</p:cellEditor>
</p:column>
<p:column>
<p:rowEditor />
</p:column>
</p:dataTable>
When pencil icon is clicked, row is displayed in editable mode meaning input facets are displayed
and output facets are hidden. Clicking tick icon only saves that particular row and cancel icon
reverts the changes, both options are implemented with ajax.
See ajax behavior events section for more information about cell edit event.
133
PrimeFaces Userʼs Guide
Lazy Loading
Lazy Loading is a built-in feature of datatable to deal with huge datasets efficiently, regular ajax
based pagination works by rendering only a particular page but still requires all data to be loaded
into memory. Lazy loading datatable renders a particular page similarly but also only loads the page
data into memory not the whole dataset. In order to implement this, you’d need to bind a
org.primefaces.model.LazyDataModel as the value and implement load method. Also you must
implement getRowData and getRowKey if you have selection enabled.
public CarBean() {
model = new LazyDataModel() {
@Override
public void load(int first, int pageSize, String sortField,
SortOrder sortOrder, Map<String,String> filters) {
DataTable calls your load implementation whenever a paging, sorting or filtering occurs with
following parameters;
In addition to load method, totalRowCount needs to be provided so that paginator can display itself
according to the logical number of rows to display.
134
PrimeFaces Userʼs Guide
SummaryRow
Summary is a helper component to display a summary for the grouping which is defined by the
sortBy option.
<p:summaryRow>
<p:column colspan="3" style="text-align:right">
Total:
</p:column>
<p:column>
#{tableBean.randomPrice}$
</p:column>
</p:summaryRow>
</p:dataTable>
135
PrimeFaces Userʼs Guide
SubTable
SubTable is a helper component to display nested collections. Example below displays a collection
of players and a subtable for the stats collection of each player.
<p:columnGroup type="header">
<p:row>
<p:column rowspan="2" headerText="Player" sortBy="#{player.name}"/>
<p:column colspan="2" headerText="Stats" />
</p:row>
<p:row>
<p:column headerText="Goals" />
<p:column headerText="Assists" />
</p:row>
</p:columnGroup>
<p:column>
#{stats.season}
</p:column>
<p:column>
#{stats.goals}
</p:column>
<p:column>
#{stats.assists}
</p:column>
<p:columnGroup type="footer">
<p:row>
<p:column footerText="Totals: " style="text-align:right"/>
<p:column footerText="#{player.allGoals}" />
<p:column footerText="#{player.allAssists}" />
</p:row>
</p:columnGroup>
</p:subTable>
</p:dataTable>
136
PrimeFaces Userʼs Guide
DataTable provides many custom ajax behavior events for you to hook-in to various features.
filter - On filtering.
For example, datatable below makes an ajax request when a row is selected.
137
PrimeFaces Userʼs Guide
Widget: PrimeFaces.widget.DataTable
Skinning
DataTable resides in a main container element which style and styleClass options apply.
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
138
PrimeFaces Userʼs Guide
3.26 Dialog
Dialog is a panel component that can overlay other elements on page.
Info
Tag dialog
Attributes
dynamic FALSE Boolean Enables lazy loading of the content with ajax.
Dialog is a panel component containing other components, note that by default dialog is not visible.
<p:dialog>
<h:outputText value="Resistance to PrimeFaces is Futile!" />
//Other content
</p:dialog>
Showing and hiding the dialog is easy using the client side api.
140
PrimeFaces Userʼs Guide
Effects
There are various effect options to be used when displaying and closing the dialog. Use showEffect
and hideEffect options to apply these effects;
• blind
• bounce
• clip
• drop
• explode
• fade
• fold
• highlight
• puff
• pulsate
• scale
• shake
• size
• slide
• transfer
Position
By default dialog is positioned at center of the viewport and position option is used to change the
location of the dialog. Possible values are;
• Single string value like ‘center’, ‘left’, ‘right’, ‘top’, ‘bottom’ representing the position within
viewport.
• Comma separated x and y coordinate values like 200, 500
• Comma separated position values like ‘top’,‘right’. (Use single quotes when using a combination)
141
PrimeFaces Userʼs Guide
close event is the one and only ajax behavior event provided by dialog that is fired when the dialog
is hidden. If there is a listener defined it’ll be executed by passing an instace of
org.primefaces.event.CloseEvent.
Example below adds a FacesMessage when dialog is closed and updates the messages component
to display the added message.
<p:dialog>
<p:ajax event="close" listener="#{dialogBean.handleClose}" update="msg" />
//Content
</p:dialog>
Similar to close listener, onShow and onHide are handy callbacks for client side in case you need to
execute custom javascript.
Widget: PrimeFaces.widget.Dialog
Skinning
Dialog resides in a main container element which styleClass option apply. Following is the list of
structural style classes;
142
PrimeFaces Userʼs Guide
As skinning style classes are global, see the main Skinning section for more information.
Tips
• Use appendToBody with care as the page definition and html dom would be different, for
example if dialog is inside an h:form component and appendToBody is enabled, on the browser
dialog would be outside of form and may cause unexpected results. In this case, nest a form inside
a dialog.
• Do not place dialog inside tables, containers likes divs with relative positioning or with non-
visible overflow defined, in cases like these functionality might be broken. This is not a limitation
but a result of DOM model. For example dialog inside a layout unit, tabview, accordion are a
couple of examples. Same applies to confirmDialog as well.
143
PrimeFaces Userʼs Guide
3.27 Drag&Drop
Drag&Drop utilities of PrimeFaces consists of two components; Draggable and Droppable.
3.27.1 Draggable
Info
Tag draggable
Attributes
axis null String Specifies drag axis, valid values are ‘x’ and ‘y’.
revert FALSE Boolean Reverts draggable to it’s original position when not
dropped onto a valid droppable
144
PrimeFaces Userʼs Guide
snapMode null String Specifies the snap mode. Valid values are ‘both’,
‘inner’ and ‘outer’.
Any component can be enhanced with draggable behavior, basically this is achieved by defining the
id of component using the for attribute of draggable.
<p:draggable for="pnl"/>
If you omit the for attribute, parent component will be selected as the draggable target.
Handle
By default any point in dragged component can be used as handle, if you need a specific handle,
you can define it with handle option. Following panel is dragged using it’s header only.
145
PrimeFaces Userʼs Guide
Drag Axis
Clone
By default, actual component is used as the drag indicator, if you need to keep the component at it’s
original location, use a clone helper.
Revert
When a draggable is not dropped onto a matching droppable, revert option enables the component
to move back to it’s original position with an animation.
Opacity
During dragging, opacity option can be used to give visual feedback, helper of following panel’s
opacity is reduced in dragging.
146
PrimeFaces Userʼs Guide
Grid
Defining a grid enables dragging in specific pixels. This value takes a comma separated dimensions
in x,y format.
Containment
A draggable can be restricted to a certain section on page, following draggable cannot go outside of
it’s parent.
147
PrimeFaces Userʼs Guide
3.27.2 Droppable
Info
Tag droppable
Attributes
148
PrimeFaces Userʼs Guide
Usage of droppable is very similar to draggable, droppable behavior can be added to any
component specified with the for attribute.
<style type="text/css">
.slot {
background:#FF9900;
width:64px;
height:96px;
display:block;
}
</style>
drop is the only and default ajax behavior event provided by droppable that is processed when a
valid draggable is dropped. In case you define a listener it’ll be executed by passing an
org.primefaces.event.DragDrop event instance parameter holding information about the dragged
and dropped components.
149
PrimeFaces Userʼs Guide
onDrop
onDrop is a client side callback that is invoked when a draggable is dropped, it gets two parameters
event and ui object holding information about the drag drop event.
DataSource
Droppable has special care for data elements that extend from UIData(e.g. datatable, datagrid), in
order to connect a droppable to accept data from a data component define datasource option as the
id of the data component. Example below show how to drag data from datagrid and drop onto a
droppable to implement a dragdrop based selection. Dropped cars are displayed with a datatable.
public TableBean() {
availableCars = //populate data
}
150
PrimeFaces Userʼs Guide
<h:form id="carForm">
<p:fieldset legend="AvailableCars">
<p:dataGrid id="availableCars" var="car"
value="#{tableBean.availableCars}" columns="3">
<p:column>
<p:panel id="pnl" header="#{car.model}" style="text-align:center">
<p:graphicImage value="/images/cars/#{car.manufacturer}.jpg" />
</p:panel>
<p:draggable for="pnl" revert="true" h
andle=".ui-panel-titlebar" stack=".ui-panel"/>
</p:column>
</p:dataGrid>
</p:fieldset>
</h:form>
<script type="text/javascript">
function handleDrop(event, ui) {
ui.draggable.fadeOut(‘fast’); //fade out the dropped item
}
</script>
151
PrimeFaces Userʼs Guide
Tolerance
There are four different tolerance modes that define the way of accepting a draggable.
Mode Description
Acceptance
You can limit which draggables can be dropped onto droppables using scope attribute which a
draggable also has. Following example has two images, only first image can be accepted by
droppable.
Skinning
hoverStyleClass and activeStyleClass attributes are used to change the style of the droppable when
interacting with a draggable.
152
PrimeFaces Userʼs Guide
3.28 Dock
Dock component mimics the well known dock interface of Mac OS X.
Info
Tag dock
Attributes
153
PrimeFaces Userʼs Guide
<p:dock>
<p:menuitem value="Home" icon="/images/dock/home.png" url="#" />
<p:menuitem value="Music" icon="/images/dock/music.png" url="#" />
<p:menuitem value="Video" icon="/images/dock/video.png" url="#"/>
<p:menuitem value="Email" icon="/images/dock/email.png" url="#"/>
<p:menuitem value="Link" icon="/images/dock/link.png" url="#"/>
<p:menuitem value="RSS" icon="/images/dock/rss.png" url="#"/>
<p:menuitem value="History" icon="/images/dock/history.png" url="#"/>
</p:dock>
Position
Dock can be located in two locations, top or bottom (default). For a dock positioned at top set
position to top.
Dock Effect
When mouse is over the dock items, icons are zoomed in. The configuration of this effect is done
via the maxWidth and proximity attributes.
Dynamic Menus
Menus can be created programmatically as well, see the dynamic menus part in menu component
section for more information and an example.
Skinning
Following is the list of structural style classes, {positon} can be top or bottom.
As skinning style classes are global, see the main Skinning section for more information.
154
PrimeFaces Userʼs Guide
3.29 Editor
Editor is an input component with rich text editing capabilities.
Info
Tag editor
Attributes
155
PrimeFaces Userʼs Guide
Rich Text entered using the Editor is passed to the server using value expression.
156
PrimeFaces Userʼs Guide
Custom Toolbar
• bold • justify
• italic • undo
• underline • redo
• strikethrough • rule
• subscript • image
• superscript • link
• font • unlink
• size • cut
• style • copy
• color • paste
• highlight • pastetext
• bullets • print
• numbering • source
• alignleft • outdent
• center • indent
• alignright • removeFormat
Widget: PrimeFaces.widget.Editor
157
PrimeFaces Userʼs Guide
Skinning
Editor is not integrated with ThemeRoller as there is only one icon set for the controls.
158
PrimeFaces Userʼs Guide
3.30 Effect
Effect component is based on the jQuery UI effects library.
Info
Tag effect
Attributes
event null String Dom event to attach the event that executes the
animation
Effect component needs a trigger and target which is effect’s parent by default. In example below
clicking outputText (trigger) will run the pulsate effect on outputText(target) itself.
159
PrimeFaces Userʼs Guide
<h:outputText value="#{bean.value}">
<p:effect type="pulsate" event="click" />
</h:outputText>
Effect Target
There may be cases where you want to display an effect on another target on the same page while
keeping the parent as the trigger. Use for option to specify a target.
With this setting, outputLink becomes the trigger for the effect on graphicImage. When the link is
clicked, initially hidden graphicImage comes up with a fade effect.
Note: It’s important for components that have the effect component as a child to have an
assigned id because some components do not render their clientId’s if you don’t give them an id
explicitly.
List of Effects
• blind
• clip
• drop
• explode
• fold
• puff
• slide
• scale
• bounce
• highlight
• pulsate
• shake
• size
• transfer
160
PrimeFaces Userʼs Guide
Effect Configuration
Each effect has different parameters for animation like colors, duration and more. In order to
change the configuration of the animation, provide these parameters with the f:param tag.
<h:outputText value="#{bean.value}">
<p:effect type="scale" event="mouseover">
<f:param name="percent" value="90"/>
</p:effect>
</h:outputText>
<h:outputText value="#{bean.value}">
<p:effect type="blind" event="click">
<f:param name="direction" value="'horizontal'" />
</p:effect>
</h:outputText>
For the full list of configuration parameters for each effect, please see the jquery documentation;
http://docs.jquery.com/UI/Effects
Effect on Load
Effects can also be applied to any JSF component when page is loaded for the first time or after an
ajax request is completed by using load as the event name. Following example animates messages
with pulsate effect after ajax request completes.
<p:messages id="messages">
<p:effect type="pulsate" event="load" delay=”500”>
<f:param name="mode" value="'show'" />
</p:effect>
</p:messages>
<p:commandButton value="Save" actionListener="#{bean.action}" update="messages"/>
161
PrimeFaces Userʼs Guide
3.31 FeedReader
FeedReader is used to display content from a feed.
Info
Tag feedReader
Attributes
FeedReader requires a feed url to display and renders it’s content for each feed item.
Note that you need the ROME library in your classpath to make feedreader work.
162
PrimeFaces Userʼs Guide
3.32 Fieldset
Fieldset is a grouping component as an extension to html fieldset.
Info
Tag fieldset
Attributes
163
PrimeFaces Userʼs Guide
Legend
Legend can be defined in two ways, with legend attribute as in example above or using legend
facet. Use facet way if you need to place custom html other than simple text.
<p:fieldset>
<f:facet name="legend">
</f:facet>
//content
</p:fieldset>
When both legend attribute and legend facet are present, facet is chosen.
Toggleable Content
Clicking on fieldset legend can toggle contents, this is handy to use space efficiently in a layout. Set
toggleable to true to enable this feature.
164
PrimeFaces Userʼs Guide
toggle is the default and only ajax behavior event provided by fieldset that is processed when the
content is toggled. In case you have a listener defined, it will be invoked by passing an instance of
org.primefaces.event.ToggleEvent.
Here is an example that adds a facesmessage and updates growl component when fieldset is
toggled.
//content
</p:fieldset>
FacesContext.getCurrentInstance().addMessage(null, msg);
}
Widget: PrimeFaces.widget.Fieldset
Skinning
165
PrimeFaces Userʼs Guide
As skinning style classes are global, see the main Skinning section for more information.
Tips
• A collapsed fieldset will remain collapsed after a postback since fieldset keeps its toggle state
internally, you don’t need to manage this using toggleListener and collapsed option.
166
PrimeFaces Userʼs Guide
3.33 FileDownload
The legacy way to present dynamic binary data to the client is to write a servlet or a filter and
stream the binary data. FileDownload presents an easier way to do the same.
Info
Tag fileDownload
Attributes
A user command action is required to trigger the filedownload process. FileDownload can be
attached to any command component like a commandButton or commandLink.
167
PrimeFaces Userʼs Guide
<h:commandButton value="Download">
<p:fileDownload value="#{fileBean.file}" />
</h:commandButton>
<h:commandLink value="Download">
<p:fileDownload value="#{fileBean.file}"/>
<h:graphicImage value="pdficon.gif" />
</h:commandLink>
If you’d like to use PrimeFaces commandButton and commandLink, disable ajax option as
fileDownload requires a full page refresh to present the file.
ContentDisposition
By default, content is displayed as an attachment with a download dialog box, another alternative is
the inline mode, in this case browser will try to open the file internally without a prompt. Note that
content disposition is not part of the http standard although it is widely implemented.
Monitor Status
As fileDownload process is non-ajax, ajaxStatus cannot apply. Still PrimeFaces provides a feature
to monitor file downloads via client side monitorDownload(startFunction, endFunction) method.
Example below displays a modal dialog when dowload begins and hides it on complete.
<script type="text/javascript">
function showStatus() {
statusDialog.show();
}
function hideStatus() {
statusDialog.hide();
}
</script>
168
PrimeFaces Userʼs Guide
<h:form>
</h:form>
169
PrimeFaces Userʼs Guide
3.34 FileUpload
FileUpload goes beyond the browser input type="file" functionality and features an html5 powered
rich solution with graceful degradation for legacy browsers.
Info
Tag fileUpload
Attributes
immediate FALSE Boolean When set true, process validations logic is executed
at apply request values phase for this component.
170
PrimeFaces Userʼs Guide
showButtons TRUE Boolean Visibility of upload and cancel buttons in button bar.
onstart null String Client side callback to execute when upload begins.
oncomplete null String Client side callback to execute when upload ends.
171
PrimeFaces Userʼs Guide
First thing to do is to configure the fileupload filter which parses the multipart request. FileUpload
filter should map to Faces Servlet.
<filter>
<filter-name>PrimeFaces FileUpload Filter</filter-name>
<filter-class>
org.primefaces.webapp.filter.FileUploadFilter
</filter-class>
</filter>
<filter-mapping>
<filter-name>PrimeFaces FileUpload Filter</filter-name>
<servlet-name>Faces Servlet</servlet-name>
</filter-mapping>
Simple file upload mode works in legacy mode with a file input whose value should be an
UploadedFile instance.
<h:form enctype="multipart/form-data">
<p:fileUpload value="#{fileBean.file}" mode="simple" />
import org.primefaces.model.UploadedFile;
//getter-setter
}
Default mode of fileupload is advanced that provides a richer UI. In this case, FileUploadListener is
the way to access the uploaded files, when a file is uploaded defined fileUploadListener is
processed with a FileUploadEvent as the parameter.
172
PrimeFaces Userʼs Guide
Multiple Uploads
Multiple uploads can be enabled using the multiple attribute. This way multiple files can be selected
and uploaded together.
Auto Upload
Default behavior requires users to trigger the upload process, you can change this way by setting
auto to true. Auto uploads are triggered as soon as files are selected from the dialog.
After the fileUpload process completes you can use the PrimeFaces PPR to update any component
on the page. FileUpload is equipped with the update attribute for this purpose. Following example
displays a "File Uploaded" message using the growl component after file upload.
173
PrimeFaces Userʼs Guide
File Filters
Users can be restricted to only select the file types you’ve configured, example below demonstrates
how to accept images only.
<p:fileUpload fileUploadListener="#{fileBean.handleFileUpload}"
allowTypes="/(\.|\/)(gif|jpe?g|png)$/" description="Select Images"/>
Size Limit
Most of the time you might need to restrict the file upload size, this is as simple as setting the
sizeLimit configuration. Following fileUpload limits the size to 1000 bytes for each file.
Skinning FileUpload
FileUpload resides in a container element which style and styleClass options apply.
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
Browser Compatibility
Rich upload functionality like dragdrop from filesystem, multi uploads, progress tracking requires
browsers that implement HTML5 features so advanced mode might behave differently across
browsers and gracefully degrade for legacy browsers like IE. It is also suggested to offer simple
upload mode to the users of your application as a fallback.
Filter Configuration
FileUpload filter’s default settings can be configured with init parameters. Two configuration
options exist, threshold size and temporary file upload location.
174
PrimeFaces Userʼs Guide
thresholdSize Maximum file size in bytes to keep uploaded files in memory. If a file
exceeds this limit, it’ll be temporarily written to disk.
uploadDirectory Disk repository path to keep temporary files that exceeds the threshold size.
By default it is System.getProperty("java.io.tmpdir")
An example configuration below defined thresholdSize to be 50kb and uploads to user’s temporary
folder.
<filter>
<filter-name>PrimeFaces FileUpload Filter</filter-name>
<filter-class>
org.primefaces.webapp.filter.FileUploadFilter
</filter-class>
<init-param>
<param-name>thresholdSize</param-name>
<param-value>51200</param-value>
</init-param>
<init-param>
<param-name>uploadDirectory</param-name>
<param-value>/Users/primefaces/temp</param-value>
</init-param>
</filter>
Note that uploadDirectory is used internally, you should implement the logic to save the file
contents yourself in your backing bean.
Tips
175
PrimeFaces Userʼs Guide
3.35 Focus
Focus is a utility component that makes it easy to manage the element focus on a JSF page.
Info
Tag focus
Attributes
context null String The root component to start first input search.
By default focus will find the first enabled and visible input component on page and apply focus.
Input component can be any element such as input, textarea and select.
<p:focus />
176
PrimeFaces Userʼs Guide
<h:form>
<p:panel id="panel" header="Register">
<p:focus />
<p:messages />
<h:panelGrid columns="3">
<h:outputLabel for="firstname" value="Firstname: *" />
<h:inputText id="firstname" value="#{pprBean.firstname}"
required="true" label="Firstname" />
<p:message for="firstname" />
<h:outputLabel for="surname" value="Surname: *" />
<h:inputText id="surname" value="#{pprBean.surname}"
required="true" label="Surname"/>
<p:message for="surname" />
</h:panelGrid>
<p:commandButton value="Submit" update="panel"
actionListener="#{pprBean.savePerson}" />
</p:panel>
</h:form>
When this page initially opens, input text with id "firstname" will receive focus as it is the first
input component.
Validation Aware
Another useful feature of focus is that when validations fail, first invalid component will receive a
focus. So in previous example if firstname field is valid but surname field has no input, a validation
error will be raised for surname, in this case focus will be set on surname field implicitly. Note that
for this feature to work on ajax requests, you need to update p:focus component as well.
Explicit Focus
Additionally, using for attribute focus can be set explicitly on an input component which is useful
when using a dialog.
<p:focus for="text"/>
177
PrimeFaces Userʼs Guide
3.36 Galleria
Galleria is used to display a set of images.
Info
Tag galleria
Attributes
178
PrimeFaces Userʼs Guide
Galleria displays the details of an image using an overlay which is displayed by clicking the
information icon. Title of this popup is retrieved from the image title attribute and description from
alt attribute so it is suggested to provide these attributes as well.
Dynamic Collection
Most of the time, you would need to display a dynamic set of images rather than defining each
image declaratively. For this you can use built-in data iteration feature.
179
PrimeFaces Userʼs Guide
Effects
There are four different options for the animation to display when switching images;
• fade (default)
• flash
• pulse
• slide
By default animation takes 700 milliseconds, use effectDuration option to tune this.
Skinning
Galleria resides in a main container element which style and styleClass options apply.
As skinning style classes are global, see the main Skinning section for more information.
180
PrimeFaces Userʼs Guide
3.37 GMap
GMap is a map component integrated with Google Maps API V3.
Info
Tag gmap
Attributes
181
PrimeFaces Userʼs Guide
First thing to do is placing V3 of the Google Maps API that the GMap is based on. Ideal location is
the head section of your page.
<script src="http://maps.google.com/maps/api/js?sensor=true|false"
type="text/javascript"></script>
As Google Maps api states, mandatory sensor parameter is used to specify if your application
requires a sensor like GPS locator. Four options are required to place a gmap on a page, these are
center, zoom, type and style.
type: Type of map, valid values are, "hybrid", "satellite", "hybrid" and "terrain".
style: Dimensions of the map.
MapModel
Markers
public MapBean() {
model.addOverlay(new Marker(new LatLng(36.879466, 30.667648), "M1"));
//more overlays
}
Polylines
183
PrimeFaces Userʼs Guide
public MapBean() {
model = new DefaultMapModel();
Polyline polyline = new Polyline();
polyline.getPaths().add(new LatLng(36.879466, 30.667648));
polyline.getPaths().add(new LatLng(36.883707, 30.689216));
polyline.getPaths().add(new LatLng(36.879703, 30.706707));
polyline.getPaths().add(new LatLng(36.885233, 37.702323));
model.addOverlay(polyline);
}
Polygons
public MapBean() {
model = new DefaultMapModel();
Polygon polygon = new Polygon();
polyline.getPaths().add(new LatLng(36.879466, 30.667648));
polyline.getPaths().add(new LatLng(36.883707, 30.689216));
polyline.getPaths().add(new LatLng(36.879703, 30.706707));
model.addOverlay(polygon);
}
Circles
184
PrimeFaces Userʼs Guide
public MapBean() {
model = new DefaultMapModel();
Circle circle = new Circle(new LatLng(36.879466, 30.667648), 500);
model.addOverlay(circle);
}
Rectangles
public MapBean() {
model = new DefaultMapModel();
LatLng coord1 = new LatLng(36.879466, 30.667648);
LatLng coord2 = new LatLng(36.883707, 30.689216);
Rectangle rectangle = new Rectangle(coord1, coord2);
model.addOverlay(circle);
}
GMap provides many custom ajax behavior events for you to hook-in to various features.
185
PrimeFaces Userʼs Guide
Following example displays a FacesMessage about the selected marker with growl component.
<h:form>
<p:growl id="growl" />
public MapBean() {
model = new DefaultMapModel();
//add markers
}
InfoWindow
A common use case is displaying an info window when a marker is selected. gmapInfoWindow is
used to implement this special use case. Following example, displays an info window that contains
an image of the selected marker data.
<h:form>
<p:gmapInfoWindow>
<p:graphicImage value="/images/#{mapBean.marker.data.image}" />
<h:outputText value="#{mapBean.marker.data.title}" />
</p:gmapInfoWindow>
</p:gmap>
</h:form>
186
PrimeFaces Userʼs Guide
public MapBean() {
model = new DefaultMapModel();
//add markers
}
Street View
187
PrimeFaces Userʼs Guide
Map Controls
Controls on map can be customized via attributes like navigationControl and mapTypeControl.
Alternatively setting disableDefaultUI to true will remove all controls at once.
In case you need to access native google maps api with javascript, use provided getMap() method.
http://code.google.com/apis/maps/documentation/javascript/reference.html
GMap API
Method Description
188
PrimeFaces Userʼs Guide
org.primefaces.model.map.Overlay
org.primefaces.model.map.LatLng
190
PrimeFaces Userʼs Guide
org.primefaces.model.map.LatLngBounds
org.primefaces.event.map.MarkerDragEvent
org.primefaces.event.map.OverlaySelectEvent
org.primefaces.event.map.PointSelectEvent
org.primefaces.event.map.StateChangeEvent
191
PrimeFaces Userʼs Guide
3.38 GMapInfoWindow
GMapInfoWindow is used with GMap component to open a window on map when an overlay is
selected.
Info
Tag gmapInfoWindow
Attributes
See GMap section for more information about how gmapInfoWindow is used.
192
PrimeFaces Userʼs Guide
3.39 GraphicImage
PrimeFaces GraphicImage extends standard JSF graphic image component with the ability of
displaying binary data like an inputstream. Main use cases of GraphicImage is to make displaying
images stored in database or on-the-fly images easier. Legacy way to do this is to come up with a
Servlet that does the streaming, GraphicImage does all the hard work without the need of a Servlet.
Info
Tag graphicImage
Attributes
193
PrimeFaces Userʼs Guide
DefaultStreamedContent gets an inputstream as the first parameter and mime type as the second.
194
PrimeFaces Userʼs Guide
In a real life application, you can create the inputstream after reading the image from the database.
For example java.sql.ResultsSet API has the getBinaryStream() method to read blob files stored in
database.
StreamedContent is a powerful API that can display images created on-the-fly as well. Here’s an
example that generates a chart with JFreeChart and displays it with p:graphicImage.
public BackingBean() {
try {
JFreeChart jfreechart = ChartFactory.createPieChart(
"Turkish Cities", createDataset(), true, true, false);
File chartFile = new File("dynamichart");
ChartUtilities.saveChartAsPNG(chartFile, jfreechart, 375, 300);
chart = new DefaultStreamedContent(
new FileInputStream(chartFile), "image/png");
} catch (Exception e) {
e.printStackTrace();
}
}
return dataset;
}
Basically p:graphicImage makes any JSF chart component using JFreechart obsolete and lets you to
avoid wrappers(e.g. JSF ChartCreator project which we’ve created in the past) to take full
advantage of JFreechart API.
195
PrimeFaces Userʼs Guide
Displaying a Barcode
Similar to the chart example, a barcode can be generated as well. This sample uses barbecue project
for the barcode API.
public BackingBean() {
try {
File barcodeFile = new File("dynamicbarcode");
BarcodeImageHandler.saveJPEG(
BarcodeFactory.createCode128("PRIMEFACES"), barcodeFile);
barcode = new DefaultStreamedContent(
new FileInputStream(barcodeFile), "image/jpeg");
} catch (Exception e) {
e.printStackTrace();
}
}
public BarcodeBean getBarcode() {
return this.barcode;
}
}
196
PrimeFaces Userʼs Guide
As GraphicImage extends standard graphicImage component, it can also display regular non
dynamic images.
How It Works
• Dynamic image puts its value expression string to the http session with a unique key.
• Unique session key is appended to the image url that points to JSF resource handler.
• Custom PrimeFaces ResourceHandler get the key from the url, retrieves the expression string like
#{bean.streamedContentValue}, evaluates it to get the instance of StreamedContent from bean
and streams contents to client.
As a result there will be 2 requests to display an image, first browser will make a request to load the
page and then another one to the dynamic image url that points to JSF resource handler. Please note
that you cannot use viewscope beans as viewscoped bean is not available in resource loading
request.
You can pass request parameters to the graphicImage via f:param tags, as a result the actual request
rendering the image can have access to these values. This is extremely handy to display dynamic
images if your image is in a data iteration component like datatable or ui:repeat.
197
PrimeFaces Userʼs Guide
3.40 Growl
Growl is based on the Mac’s growl notification widget and used to display FacesMessages similar
to h:messages.
Info
Tag growl
Attributes
sticky FALSE Boolean Specifies if the message should stay instead of hidden
automatically.
globalOnly FALSE Boolean When true, only facesmessages without clientids are
displayed.
198
PrimeFaces Userʼs Guide
Growl usage is similar to standard h:messages component. Simply place growl anywhere on your
page, since messages are displayed as an overlay, the location of growl in JSF page does not matter.
<p:growl />
Lifetime of messages
By default each message will be displayed for 6000 ms and then hidden. A message can be made
sticky meaning it’ll never be hidden automatically.
If growl is not working in sticky mode, it’s also possible to tune the duration of displaying
messages. Following growl will display the messages for 5 seconds and then fade-out.
If you need to display messages with growl after an ajax request you just need to update it. Note
that if you enable autoUpdate, growl will be updated automatically with each ajax request anyway.
<p:growl id="messages"/>
199
PrimeFaces Userʼs Guide
Positioning
Growl is positioned at top right corner by default, position can be controlled with a CSS selector
called ui-growl.
.ui-growl {
left:20px;
}
Skinning
As skinning style classes are global, see the main Skinning section for more information.
200
PrimeFaces Userʼs Guide
3.41 HotKey
HotKey is a generic key binding component that can bind any formation of keys to javascript event
handlers or ajax calls.
Info
Tag hotkey
Attributes
immediate FALSE Boolean Boolean value that determines the phaseId, when
true actions are processed at apply_request_values,
when false at invoke_application phase.
async FALSE Boolean When set to true, ajax requests are not queued.
201
PrimeFaces Userʼs Guide
HotKey is used in two ways, either on client side with the event handler or with ajax support.
Simplest example would be;
When this hotkey is on page, pressing the a key will alert the ‘Pressed key a’ text.
Key combinations
Most of the time you’d need key combinations rather than a single key.
Integration
Here’s an example demonstrating how to integrate hotkeys with a client side api. Using left and
right keys will switch the images displayed via the p:imageSwitch component.
<p:imageSwitch widgetVar="switcher">
//content
</p:imageSwitch>
202
PrimeFaces Userʼs Guide
Ajax Support
Ajax is a built-in feature of hotKeys meaning you can do ajax calls with key combinations.
Following form can be submitted with the ctrl+shift+s combination.
<h:form>
<p:hotkey bind="ctrl+shift+s" update="display" />
<h:panelGrid columns="2">
<h:outputLabel for="name" value="Name:" />
<h:inputText id="name" value="#{bean.name}" />
</h:panelGrid>
<h:outputText id="dsplay" value="Hello: #{bean.firstname}" />
</h:form>
Note that hotkey will not be triggered if there is a focused input on page.
203
PrimeFaces Userʼs Guide
3.42 IdleMonitor
IdleMonitor watches user actions on a page and notify callbacks in case they go idle or active again.
Info
Tag idleMonitor
Attributes
timeout 300000 Integer Time to wait in milliseconds until deciding if the user
is idle. Default is 5 minutes.
onidle null String Client side callback to execute when user goes idle.
onactive null String Client side callback to execute when user goes idle.
To begin with, you can hook-in to client side events that are called when a user goes idle or
becomes active again. Example below toggles visibility of a dialog to respond these events.
204
PrimeFaces Userʼs Guide
Controlling Timeout
By default, idleMonitor waits for 5 minutes (300000 ms) until triggering the onidle event. You can
customize this duration with the timeout attribute.
IdleMonitor provides two ajax behavior events which are idle and active that are fired according to
user status changes. Example below displays messages for each event;
205
PrimeFaces Userʼs Guide
3.43 ImageCompare
ImageCompare provides a rich user interface to compare two images.
Info
Tag imageCompare
Attributes
206
PrimeFaces Userʼs Guide
leftImage null String Source of the image placed on the left side
rightImage null String Source of the image placed on the right side
ImageCompare is created with two images with same height and width. It is required to set width
and height of the images as well.
Skinning
Both images are placed inside a div container element, style and styleClass attributes apply to this
element.
207
PrimeFaces Userʼs Guide
3.44 ImageCropper
ImageCropper allows cropping a certain region of an image. A new image is created containing the
cropped area and assigned to a CroppedImage instanced on the server side.
Info
Tag imageCropper
Attributes
208
PrimeFaces Userʼs Guide
ImageCropper is an input component and image to be cropped is provided via the image attribute.
The cropped area of the original image is used to create a new image, this new image can be
accessed on the backing bean by setting the value attribute of the image cropper. Assuming the
image is at %WEBAPP_ROOT%/campnou.jpg
209
PrimeFaces Userʼs Guide
External Images
<p:imageCropper value="#{cropper.croppedImage}"
image="http://primefaces.prime.com.tr/en/images/schema.png">
</p:imageCropper>
For local images, ImageCropper always requires the image path to be context relative. So to
accomplish this simply just add slash ("/path/to/image.png") and imagecropper will recognize it at
%WEBAPP_ROOT%/path/to/image.png. Action url relative local images are not supported.
Initial Coordinates
By default, user action is necessary to initiate the cropper area on an image, you can specify an
initial area to display on page load using initialCoords option in x,y,w,h format.
Boundaries
minSize and maxSize attributes are control to limit the size of the area to crop.
210
PrimeFaces Userʼs Guide
Saving Images
211
PrimeFaces Userʼs Guide
3.45 ImageSwitch
Imageswitch component is a simple image gallery component.
Info
Tag imageSwitch
Attributes
212
PrimeFaces Userʼs Guide
ImageSwitch component needs a set of images to display. Provide the image collection as a set of
children components.
Most of the time, images could be dynamic, ui:repeat is supported to implement this case.
<p:imageSwitch widgetVar="imageswitch">
<ui:repeat value="#{bean.images}" var="image">
<p:graphicImage value="#{image}" />
</ui:repeat>
</p:imageSwitch>
Slideshow or Manual
ImageSwitch is in slideShow mode by default, if you’d like manual transitions disable slideshow
and use client side api to create controls.
<span onclick="imageswitch.previous();">Previous</span>
<span onclick="imageswitch.next();">Next</span>
Method Description
213
PrimeFaces Userʼs Guide
Effect Speed
The speed is considered in terms of milliseconds and specified via the speed attribute.
List of Effects
ImageSwitch supports a wide range of transition effects. Following is the full list, note that values
are case sensitive.
• blindX
• blindY
• blindZ
• cover
• curtainX
• curtainY
• fade
• fadeZoom
• growX
• growY
• none
• scrollUp
• scrollDown
• scrollLeft
• scrollRight
• scrollVert
• shuffle
• slideX
• slideY
• toss
• turnUp
• turnDown
• turnLeft
• turnRight
• uncover
• wipe
• zoom
214
PrimeFaces Userʼs Guide
3.46 Inplace
Inplace provides easy inplace editing and inline content display. Inplace consists of two members,
display element is the initial clickable label and inline element is the hidden content that is
displayed when display element is toggled.
Info
Tag inplace
Attributes
215
PrimeFaces Userʼs Guide
event click String Name of the client side event to display inline
content.
<p:inplace>
<h:inputText value="Edit me" />
</p:inplace>
Custom Labels
By default inplace displays it’s first child’s value as the label, you can customize it via the label
attribute.
<p:inplace label="Cities">
<h:selectOneMenu>
<f:selectItem itemLabel="Istanbul" itemValue="Istanbul" />
<f:selectItem itemLabel="Ankara" itemValue="Ankara" />
</h:selectOneMenu>
</p:inplace>
Effects
Default effect is fade and other possible effect is slide, also effect speed can be tuned with values
slow, normal and fast.
216
PrimeFaces Userʼs Guide
//getter-setter
}
<p:inplace editor="true">
<h:inputText value="#{inplaceBean.text}" />
</p:inplace>
save and cancel are two provided ajax behaviors events you can use to hook-in the editing process.
//getter-setter
}
<p:inplace editor="true">
<p:ajax event="save" listener="#{inplaceBean.handleSave}" update="msgs" />
<h:inputText value="#{inplaceBean.text}" />
</p:inplace>
Widget: PrimeFaces.widget.Inplace
217
PrimeFaces Userʼs Guide
Skinning
Inplace resides in a main container element which style and styleClass options apply.
As skinning style classes are global, see the main Skinning section for more information.
218
PrimeFaces Userʼs Guide
3.47 InputMask
InputMask forces an input to fit in a defined mask template.
Info
Tag inputMask
Attributes
219
PrimeFaces Userʼs Guide
immediate FALSE Boolean When set true, process validations logic is executed at
apply request values phase for this component.
accesskey null String Access key that when pressed transfers focus to the
input element.
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
lang null String Code describing the language used in the generated
markup for this component.
onblur null String Client side callback to execute when input element
loses focus.
onchange null String Client side callback to execute when input element
loses focus and its value has been modified since
gaining focus.
onclick null String Client side callback to execute when input element is
clicked.
ondblclick null String Client side callback to execute when input element is
double clicked.
220
PrimeFaces Userʼs Guide
onfocus null String Client side callback to execute when input element
receives focus.
onkeydown null String Client side callback to execute when a key is pressed
down over input element.
onkeypress null String Client side callback to execute when a key is pressed
and released over input element.
onkeyup null String Client side callback to execute when a key is released
over input element.
onmousedown null String Client side callback to execute when a pointer button
is pressed down over input element
onmousemove null String Client side callback to execute when a pointer button
is moved within input element.
onmouseout null String Client side callback to execute when a pointer button
is moved away from input element.
onmouseover null String Client side callback to execute when a pointer button
is moved onto input element.
onmouseup null String Client side callback to execute when a pointer button
is released over input element.
onselect null String Client side callback to execute when text within input
element is selected by user.
readonly FALSE Boolean Flag indicating that this component will prevent
changes by the user.
tabindex null Integer Position of the input element in the tabbing order.
Mask Samples
Skinning
style and styleClass options apply to the displayed input element. As skinning style classes are
global, see the main Skinning section for more information.
222
PrimeFaces Userʼs Guide
3.48 InputText
InputText is an extension to standard inputText with skinning capabilities.
Info
Tag inputText
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
immediate FALSE Boolean When set true, process validations logic is executed at
apply request values phase for this component.
valueChangeListener null Method A method binding expression that refers to a method for
Expr handling a valuchangeevent
223
PrimeFaces Userʼs Guide
accesskey null String Access key that when pressed transfers focus to the input
element.
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
lang null String Code describing the language used in the generated
markup for this component.
onblur null String Client side callback to execute when input element loses
focus.
onchange null String Client side callback to execute when input element loses
focus and its value has been modified since gaining focus.
onclick null String Client side callback to execute when input element is
clicked.
ondblclick null String Client side callback to execute when input element is
double clicked.
onfocus null String Client side callback to execute when input element
receives focus.
onkeydown null String Client side callback to execute when a key is pressed
down over input element.
onkeypress null String Client side callback to execute when a key is pressed and
released over input element.
onkeyup null String Client side callback to execute when a key is released over
input element.
onmousedown null String Client side callback to execute when a pointer button is
pressed down over input element
onmousemove null String Client side callback to execute when a pointer button is
moved within input element.
onmouseout null String Client side callback to execute when a pointer button is
moved away from input element.
224
PrimeFaces Userʼs Guide
onmouseover null String Client side callback to execute when a pointer button is
moved onto input element.
onmouseup null String Client side callback to execute when a pointer button is
released over input element.
onselect null String Client side callback to execute when text within input
element is selected by user.
readonly FALSE Boolean Flag indicating that this component will prevent changes
by the user.
size null Integer Number of characters used to determine the width of the
input element.
tabindex null Integer Position of the input element in the tabbing order.
Skinning
style and styleClass options apply to the input element. As skinning style classes are global, see the
main Skinning section for more information.
225
PrimeFaces Userʼs Guide
3.49 InputTextarea
InputTextarea is an extension to standard inputTextara with skinning capabilities and auto growing.
Info
Tag inputTextarea
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
immediate FALSE Boolean When set true, process validations logic is executed at
apply request values phase for this component.
226
PrimeFaces Userʼs Guide
valueChangeListener null Method A method binding expression that refers to a method for
Expr handling a valuchangeevent
accesskey null String Access key that when pressed transfers focus to the input
element.
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
lang null String Code describing the language used in the generated
markup for this component.
onblur null String Client side callback to execute when input element loses
focus.
onchange null String Client side callback to execute when input element loses
focus and its value has been modified since gaining focus.
onclick null String Client side callback to execute when input element is
clicked.
ondblclick null String Client side callback to execute when input element is
double clicked.
onfocus null String Client side callback to execute when input element
receives focus.
onkeydown null String Client side callback to execute when a key is pressed
down over input element.
onkeypress null String Client side callback to execute when a key is pressed and
released over input element.
onkeyup null String Client side callback to execute when a key is released over
input element.
227
PrimeFaces Userʼs Guide
onmousedown null String Client side callback to execute when a pointer button is
pressed down over input element
onmousemove null String Client side callback to execute when a pointer button is
moved within input element.
onmouseout null String Client side callback to execute when a pointer button is
moved away from input element.
onmouseover null String Client side callback to execute when a pointer button is
moved onto input element.
onmouseup null String Client side callback to execute when a pointer button is
released over input element.
onselect null String Client side callback to execute when text within input
element is selected by user.
readonly FALSE Boolean Flag indicating that this component will prevent changes
by the user.
size null Integer Number of characters used to determine the width of the
input element.
tabindex null Integer Position of the input element in the tabbing order.
AutoResize
When textarea is being typed, if content height exceeds the allocated space, textarea can grow
automatically. Use autoResize option to turn on/off this feature.
Skinning
style and styleClass options apply to the textarea element. As skinning style classes are global, see
the main Skinning section for more information.
228
PrimeFaces Userʼs Guide
3.50 Keyboard
Keyboard is an input component that uses a virtual keyboard to provide the input. Notable features
are the customizable layouts and skinning capabilities.
Info
Tag keyboard
Attributes
immediate FALSE Boolean When set true, process validations logic is executed
at apply request values phase for this component.
229
PrimeFaces Userʼs Guide
buttonImageOnly FALSE boolean When set to true only image of the button would be
displayed.
accesskey null String Access key that when pressed transfers focus to the
input element.
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
lang null String Code describing the language used in the generated
markup for this component.
230
PrimeFaces Userʼs Guide
onblur null String Client side callback to execute when input element
loses focus.
onchange null String Client side callback to execute when input element
loses focus and its value has been modified since
gaining focus.
onclick null String Client side callback to execute when input element
is clicked.
ondblclick null String Client side callback to execute when input element
is double clicked.
onfocus null String Client side callback to execute when input element
receives focus.
onkeydown null String Client side callback to execute when a key is pressed
down over input element.
onkeypress null String Client side callback to execute when a key is pressed
and released over input element.
onmousedown null String Client side callback to execute when a pointer button
is pressed down over input element
onmousemove null String Client side callback to execute when a pointer button
is moved within input element.
onmouseout null String Client side callback to execute when a pointer button
is moved away from input element.
onmouseover null String Client side callback to execute when a pointer button
is moved onto input element.
onmouseup null String Client side callback to execute when a pointer button
is released over input element.
onselect null String Client side callback to execute when text within
input element is selected by user.
readonly FALSE Boolean Flag indicating that this component will prevent
changes by the user.
tabindex null Integer Position of the input element in the tabbing order.
231
PrimeFaces Userʼs Guide
Keyboard is used just like a simple inputText, by default when the input gets the focus a keyboard is
displayed.
Built-in Layouts
There’re a couple of built-in keyboard layouts these are ‘qwerty’, ‘qwertyBasic’ and ‘alphabetic’.
For example keyboard below has the alphabetic layout.
Custom Layouts
Keyboard has a very flexible layout mechanism allowing you to come up with your own layout.
<p:keyboard value="#{bean.value}"
layout="custom"
layoutTemplate="prime-back,faces-clear,rocks-close"/>
Another example;
232
PrimeFaces Userʼs Guide
<p:keyboard value="#{bean.value}"
layout="custom"
layoutTemplate="create-space-your-close,owntemplate-shift,easily-space-
spacebar"/>
A layout template basically consists of built-in keys and your own keys. Following is the list of all
built-in keys.
• back
• clear
• close
• shift
• spacebar
• space
• halfspace
All other text in a layout is realized as seperate keys so "prime" would create 5 keys as "p" "r" "i"
"m" "e". Use dash to seperate each member in layout and use commas to create a new row.
Keypad
By default keyboard displays whole keys, if you only need the numbers use the keypad mode.
ShowMode
There’re a couple of different ways to display the keyboard, by default keyboard is shown once
input field receives the focus. This is customized using the showMode feature which accept values
‘focus’, ‘button’, ‘both’. Keyboard below displays a button next to the input field, when the button
is clicked the keyboard is shown.
Button can also be customized using the buttonImage and buttonImageOnly attributes.
233
PrimeFaces Userʼs Guide
3.51 Layout
Layout component features a highly customizable borderLayout model making it very easy to
create complex layouts even if you’re not familiar with web design.
Info
Tag layout
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component, when
set to false component will not be rendered.
fullPage FALSE Boolean Specifies whether layout should span all page or not.
234
PrimeFaces Userʼs Guide
style null String Style to apply to container element, this is only applicable to
element based layouts.
styleClass null String Style class to apply to container element, this is only applicable
to element based layouts.
onResize null String Client side callback to execute when a layout unit is resized.
onClose null String Client side callback to execute when a layout unit is closed.
onToggle null String Client side callback to execute when a layout unit is toggled.
Layout is based on a borderLayout model that consists of 5 different layout units which are top, left,
center, right and bottom. This model is visualized in the schema below;
Layout has two modes, you can either use it for a full page layout or for a specific region in your
page. This setting is controlled with the fullPage attribute which is false by default.
The regions in a layout are defined by layoutUnits, following is a simple full page layout with all
possible units. Note that you can place any content in each layout unit.
235
PrimeFaces Userʼs Guide
<p:layout fullPage="true">
<p:layoutUnit position="north" size="50">
<h:outputText value="Top content." />
</p:layoutUnit>
<p:layoutUnit position="south" size="100">
<h:outputText value="Bottom content." />
</p:layoutUnit>
<p:layoutUnit position="west" size="300">
<h:outputText value="Left content" />
</p:layoutUnit>
<p:layoutUnit position="east" size="200">
<h:outputText value="Right Content" />
</p:layoutUnit>
<p:layoutUnit position="center">
<h:outputText value="Center Content" />
</p:layoutUnit>
</p:layout>
When working with forms and full page layout, avoid using a form that contains layoutunits as
generated dom may not be the same. So following is invalid.
<p:layout fullPage="true">
<h:form>
<p:layoutUnit position="west" size="100">
h:outputText value="Left Pane" />
</p:layoutUnit>
<p:layoutUnit position="center">
<h:outputText value="Right Pane" />
</p:layoutUnit>
</h:form>
</p:layout>
A layout unit must have it’s own form instead, also avoid trying to update layout units because of
same reason, update it’s content instead.
Dimensions
Except center layoutUnit, other layout units must have dimensions defined via size option.
Another use case of layout is the element based layout. This is the default case actually so just
ignore fullPage attribute or set it to false. Layout example below demonstrates creating a split panel
implementation.
236
PrimeFaces Userʼs Guide
<p:layout style="width:400px;height:200px">
<p:layoutUnit position="west" size="100">
<h:outputText value="Left Pane" />
</p:layoutUnit>
<p:layoutUnit position="center">
<h:outputText value="Right Pane" />
</p:layoutUnit>
</p:layout>
Layout provides custom ajax behavior events for each layout state change.
Stateful Layout
Making layout stateful would be easy, once you create your data to store the user preference, you
can update this data using ajax event listeners provided by layout. For example if a layout unit is
collapsed, you can save and persist this information. By binding this persisted information to the
collapsed attribute of the layout unit layout will be rendered as the user left it last time.
Skinning
As skinning style classes are global, see the main Skinning section for more information.
237
PrimeFaces Userʼs Guide
3.52 LayoutUnit
LayoutUnit represents a region in the border layout model of the Layout component.
Info
Tag layoutUnit
Attributes
238
PrimeFaces Userʼs Guide
See layout component documentation for more information regarding the usage of layoutUnits.
239
PrimeFaces Userʼs Guide
3.53 LightBox
Lightbox features a powerful overlay that can display images, multimedia content, other JSF
components and external urls.
Info
Tag lightBox
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component, when set
to false component will not be rendered.
binding null Object An el expression that maps to a server side UIComponent instance
in a backing bean
style null String Style of the container element not the overlay element.
styleClass null String Style class of the container element not the overlay element.
240
PrimeFaces Userʼs Guide
visible FALSE Boolean Displays lightbox without requiring any user interaction by default.
onHide null String Client side callback to execute when lightbox is displayed.
onShow null String Client side callback to execute when lightbox is hidden.
Images
The images displayed in the lightBox need to be nested as child outputLink components. Following
lightBox is displayed when any of the links are clicked.
<p:lightBox>
<h:outputLink value="sopranos/sopranos1.jpg" title="Sopranos 1">
<h:graphicImage value="sopranos/sopranos1_small.jpg/>
</h:outputLink>
//more
</p:lightBox>
IFrame Mode
LightBox also has the ability to display iframes inside the page overlay, following lightbox displays
the PrimeFaces homepage when the link inside is clicked.
<p:lightBox iframe="true">
<h:outputLink value="http://www.primefaces.org" title="PrimeFaces HomePage">
<h:outputText value="PrimeFaces HomePage"/>
</h:outputLink>
</p:lightBox>
Inline Mode
Inline mode acts like a modal dialog, you can display other JSF content on the page using the
lightbox overlay. Simply place your overlay content in the "inline" facet. Clicking the link in the
example below will display the panelGrid contents in overlay.
241
PrimeFaces Userʼs Guide
<p:lightBox>
<h:outputLink value="#" title="Leo Messi" >
<h:outputText value="The Messiah"/>
</h:outputLink>
<f:facet name="inline">
//content here
</f:facet>
</p:lightBox>
Inline Mode
Inline mode acts like a modal dialog, you can display other JSF content on the page using the
lightbox overlay. Simply place your overlay content in the "inline" facet. Clicking the link in the
example below will display the panelGrid contents in overlay.
Widget: PrimeFaces.widget.LightBox
Skinning
Lightbox resides in a main container element which style and styleClass options apply.
As skinning style classes are global, see the main Skinning section for more information.
242
PrimeFaces Userʼs Guide
3.54 Log
Log component is a visual console to display logs on JSF pages.
Info
Tag log
Attributes
243
PrimeFaces Userʼs Guide
<p:log />
Log API
PrimeFaces uses client side log apis internally, for example you can use log component to see
details of an ajax request. Log API is also available via global PrimeFaces object in case you’d like
to use the log component to display your logs.
<script type=”text/javascript”>
PrimeFaces.info(‘Info message’);
PrimeFaces.debug(‘Debug message’);
PrimeFaces.warn(‘Warning message’);
PrimeFaces.error(‘Error message’);
</script>
244
PrimeFaces Userʼs Guide
3.55 Media
Media component is used for embedding multimedia content such as videos and music to JSF
views. Media renders <object /> or <embed /> html tags depending on the user client.
Info
Tag media
Attributes
In it’s simplest form media component requires a source to play, this is defined using the value
attribute.
245
PrimeFaces Userʼs Guide
Player Types
By default, players are identified using the value extension so for instance mov files will be played
by quicktime player. You can customize which player to use with the player attribute.
Player Types
quicktime aif, aiff, aac, au, bmp, gsm, mov, mid, midi, mpg, mpeg, mp4, m4a, psd, qt, qtif, qif,
qti, snd, tif, tiff, wav, 3g2, 3pg
Parameters
Different proprietary players might have different configuration parameters, these can be specified
using f:param tags.
<p:media value="/media/ria_with_primefaces.mov">
<f:param name="param1" value="value1" />
<f:param name="param2" value="value2" />
</p:media>
StreamedContent Support
Media component can also play binary media content, example for this use case is storing media
files in datatabase using binary format. In order to implement this, bind a StreamedContent.
246
PrimeFaces Userʼs Guide
3.56 Menu
Menu is a navigation component with various customized modes like multi tiers, ipod style sliding
and overlays.
Info
Tag menu
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
trigger null String Id of component whose click event will show the dynamic
positioned menu.
247
PrimeFaces Userʼs Guide
position static String Defines positioning type of menu, either static or dynamic.
type plain String Type of menu, valid values are plain, tiered and sliding.
backLabel Back String Text for back link, only applies to sliding menus.
<p:menu>
<p:menuitem value="Gmail" url="http://www.google.com" />
<p:menuitem value="Hotmail" url="http://www.hotmail.com" />
<p:menuitem value="Yahoo Mail" url="http://mail.yahoo.com" />
<p:menuitem value="Youtube" url="http://www.youtube.com" />
<p:menuitem value="Break" url="http://www.break.com" />
<p:menuitem value="Metacafe" url="http://www.metacafe.com" />
<p:menuitem value="Facebook" url="http://www.facebook.com" />
<p:menuitem value="MySpace" url="http://www.myspace.com" />
</p:menu>
248
PrimeFaces Userʼs Guide
<p:menu>
<p:submenu label="Mail">
<p:menuitem value="Gmail" url="http://www.google.com" />
<p:menuitem value="Hotmail" url="http://www.hotmail.com" />
<p:menuitem value="Yahoo Mail" url="http://mail.yahoo.com" />
</p:submenu>
<p:submenu label="Videos">
<p:menuitem value="Youtube" url="http://www.youtube.com" />
<p:menuitem value="Break" url="http://www.break.com" />
<p:menuitem value="Metacafe" url="http://www.metacafe.com" />
</p:submenu>
Overlay Menu
Menu can be positioned on a page in two ways; "static" and "dynamic". By default it’s static
meaning the menu is in normal page flow. In contrast dynamic menus is not on the normal flow of
the page allowing them to overlay other elements.
A dynamic menu is created by setting position option to dynamic and defining a trigger to show the
menu. Location of menu on page will be relative to the trigger and defined by my and at options
that take combination of four values;
• left
• right
• bottom
• top
249
PrimeFaces Userʼs Guide
For example, clicking the button below will display the menu whose top left corner is aligned with
bottom left corner of button.
Menu Types
<p:menu type="plain|tiered|sliding">
...submenus and menuitems
</p:menu>
As menu uses menuitems, it is easy to invoke actions with or without ajax as well as navigation.
See menuitem documentation for more information about the capabilities.
<p:menu>
<p:submenu label="Options">
<p:menuitem value="Save" actionListener="#{bean.save}" update="comp"/>
<p:menuitem value="Update" actionListener="#{bean.update}" ajax="false"/>
<p:menuitem value="Navigate" url="http://www.primefaces.org"/>
</p:submenu>
</p:menu>
250
PrimeFaces Userʼs Guide
Dynamic Menus
Menus can be created programmatically as well, this is more flexible compared to the declarative
approach. Menu metadata is defined using an org.primefaces.model.MenuModel instance,
PrimeFaces provides the built-in org.primefaces.model.DefaultMenuModel implementation. For
further customization you can also create and bind your own MenuModel implementation.
public MenuBean() {
model = new DefaultMenuModel();
//First submenu
Submenu submenu = new Submenu();
submenu.setLabel("Dynamic Submenu 1");
MenuItem item = new MenuItem();
item.setValue("Dynamic Menuitem 1.1");
item.setUrl("#");
submenu.getChildren().add(item);
model.addSubmenu(submenu);
//Second submenu
submenu = new Submenu();
submenu.setLabel("Dynamic Submenu 2");
item = new MenuItem();
item.setValue("Dynamic Menuitem 2.1");
item.setUrl("#");
submenu.getChildren().add(item);
item = new MenuItem();
item.setValue("Dynamic Menuitem 2.2");
item.setUrl("#");
submenu.getChildren().add(item);
model.addSubmenu(submenu);
}
Skinning
Menu resides in a main container element which style and styleClass attributes apply.
As skinning style classes are global, see the main Skinning section for more information.
252
PrimeFaces Userʼs Guide
3.57 Menubar
Menubar is a horizontal navigation component.
Info
Tag menubar
Attributes
Submenus and menuitems as child components are required to compose the menubar.
253
PrimeFaces Userʼs Guide
<p:menubar>
<p:submenu label="Mail">
<p:menuitem value="Gmail" url="http://www.google.com" />
<p:menuitem value="Hotmail" url="http://www.hotmail.com" />
<p:menuitem value="Yahoo Mail" url="http://mail.yahoo.com" />
</p:submenu>
<p:submenu label="Videos">
<p:menuitem value="Youtube" url="http://www.youtube.com" />
<p:menuitem value="Break" url="http://www.break.com" />
</p:submenu>
</p:menubar>
Nested Menus
<p:menubar>
<p:submenu label="File">
<p:submenu label="New">
<p:menuitem value="Project" url="#"/>
<p:menuitem value="Other" url="#"/>
</p:submenu>
<p:menuitem value="Open" url="#"></p:menuitem>
<p:menuitem value="Quit" url="#"></p:menuitem>
</p:submenu>
<p:submenu label="Edit">
<p:menuitem value="Undo" url="#"></p:menuitem>
<p:menuitem value="Redo" url="#"></p:menuitem>
</p:submenu>
<p:submenu label="Help">
<p:menuitem label="Contents" url="#" />
<p:submenu label="Search">
<p:submenu label="Text">
<p:menuitem value="Workspace" url="#" />
</p:submenu>
<p:menuitem value="File" url="#" />
</p:submenu>
</p:submenu>
</p:menubar>
Root Menuitem
Menubar supports menuitem as root menu options as well; Following example allows a root
menubar item to execute an action to logout the user.
<p:menubar>
//submenus
<p:menuitem label="Logout" action="#{bean.logout}"/>
</p:menubar>
254
PrimeFaces Userʼs Guide
As menu uses menuitems, it is easy to invoke actions with or without ajax as well as navigation.
See menuitem documentation for more information about the capabilities.
<p:menubar>
<p:submenu label="Options">
<p:menuitem value="Save" actionListener="#{bean.save}" update="comp"/>
<p:menuitem value="Update" actionListener="#{bean.update}" ajax="false"/>
<p:menuitem value="Navigate" url="http://www.primefaces.org"/>
</p:submenu>
</p:menubar>
Dynamic Menus
Menus can be created programmatically as well, see the dynamic menus part in menu component
section for more information and an example.
Skinning
Menubar resides in a main container which style and styleClass attributes apply. Following is the
list of structural style classes;
As skinning style classes are global, see the main Skinning section for more information.
255
PrimeFaces Userʼs Guide
3.58 MenuButton
MenuButton displays different commands in a popup menu.
Info
Tag menuButton
Attributes
256
PrimeFaces Userʼs Guide
MenuButton consists of one ore more menuitems. Following menubutton example has three
menuitems, first one is used triggers an action with ajax, second one does the similar but without
ajax and third one is used for redirect purposes.
<p:menuButton value="Options">
<p:menuitem value="Save" actionListener="#{bean.save}" update="comp" />
<p:menuitem value="Update" actionListener="#{bean.update}" ajax="false" />
<p:menuitem value="Go Home" url="/home.jsf" />
</p:menuButton>
Dynamic Menus
Menus can be created programmatically as well, see the dynamic menus part in menu component
section for more information and an example.
Skinning
MenuButton resides in a main container which style and styleClass attributes apply. As skinning
style classes are global, see the main Skinning section for more information. Following is the list of
structural style classes;
257
PrimeFaces Userʼs Guide
3.59 MenuItem
MenuItem is used by various menu components of PrimeFaces.
Info
Tag menuItem
Attributes
async FALSE Boolean When set to true, ajax requests are not queued.
258
PrimeFaces Userʼs Guide
• Menu
• MenuBar
• Breadcrumb
• Dock
• Stack
• MenuButton
Note that some attributes of menuitem might not be supported by these menu components. Refer to
the specific component documentation for more information.
Navigation vs Action
Menuitem has two use cases, directly navigating to a url with GET and doing a POST do execute an
action which you can still do navigation with JSF navigation rules. This is decided by url attribute,
if it is present menuitem does a GET request, if not parent form is posted.
Icons
There are two ways to specify an icon of a menuitem, you can either use bundled icons within
PrimeFaces or provide your own via css.
259
PrimeFaces Userʼs Guide
ThemeRoller Icons
Custom Icons
.barca {
background: url(barca_logo.png) no-repeat;
height:16px;
width:16px;
}
260
PrimeFaces Userʼs Guide
3.60 Message
Message is a pre-skinned extended version of the standard JSF message component.
Info
Tag message
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
261
PrimeFaces Userʼs Guide
Display Mode
Skinning Message
262
PrimeFaces Userʼs Guide
3.61 Messages
Messages is a pre-skinned extended version of the standard JSF messages component.
Info
Tag messages
Attributes
globalOnly FALSE String When true, only facesmessages with no clientIds are
displayed.
263
PrimeFaces Userʼs Guide
<p:messages />
AutoUpdate
When auto update is enabled, messages component is updated with each ajax request automatically.
Skinning Message
264
PrimeFaces Userʼs Guide
3.62 NotificationBar
NotificationBar displays a multipurpose fixed positioned panel for notification.
Info
Tag notificationBar
Attributes
<p:notificationBar widgetVar="topBar">
//Content
</p:notificationBar>
265
PrimeFaces Userʼs Guide
To show and hide the content, notificationBar provides an easy to use client side api that can be
accessed through the widgetVar. show() displays the bar and hide() hides it.
<p:notificationBar widgetVar="topBar">
//Content
</p:notificationBar>
Note that notificationBar has a default built-in close icon to hide the content.
Effects
Default effect to be used when displaying and hiding the bar is "fade", another possible effect is
"slide".
If you’d like to turn off animation, set effect name to "none". In addition duration of the animation
is controlled via effectSpeed attribute that can take "normal", "slow" or "fast" as it’s value.
Position
Default position of bar is "top", other possibility is placing the bar at the bottom of the page. Note
that bar positioning is fixed so even page is scrolled, bar will not scroll.
Skinning
style and styleClass attributes apply to the main container element. Additionally there are two pre-
defined css selectors used to customize the look and feel.
Selector Applies
266
PrimeFaces Userʼs Guide
3.63 OrderList
OrderList is used to sort a collection featuring drag&drop based reordering, transition effects and
pojo support.
Info
Tag orderList
Attributes
267
PrimeFaces Userʼs Guide
controlsLocation left String Location of the reorder buttons, valid values are
“left”, “right” and “none”.
268
PrimeFaces Userʼs Guide
When the form is submitted, orderList will update the cities list according to the changes on client
side.
Advanced OrderList
OrderList supports displaying custom content instead of simple labels by using columns. In
addition, pojos are supported if a converter is defined.
269
PrimeFaces Userʼs Guide
<p:column style="width:25%">
<p:graphicImage value="/images/barca/#{player.photo}" />
</p:column>
<p:column style="width:75%;">
#{player.name} - #{player.number}
</p:column>
</p:orderList>
Header
A facet called “caption” is provided to display a header content for the orderlist.
Effects
An animation is executed during reordering, default effect is fade and following options are
available for effect attribute;
• blind
• bounce
• clip
• drop
• explode
• fold
• highlight
• puff
• pulsate
• scale
• shake
• size
• slide
Skinning
OrderList resides in a main container which style and styleClass attributes apply. As skinning style
classes are global, see the main Skinning section for more information. Following is the list of
structural style classes;
270
PrimeFaces Userʼs Guide
3.64 OutputPanel
OutputPanel is a panel component with the ability to auto update.
Info
Tag outputPanel
Attributes
layout inline String Layout of the panel, valid values are inline(span)
or block(div).
AjaxRendered
Due to the nature of ajax, it is much simpler to update an existing element on page rather than
inserting a new element to the dom. When a JSF component is not rendered, no markup is rendered
so for components with conditional rendering regular PPR mechanism may not work since the
markup to update on page does not exist. OutputPanel is useful in this case.
Suppose the rendered condition on bean is false when page if loaded initially and search method on
bean sets the condition to be true meaning datatable will be rendered after a page submit. The
problem is although partial output is generated, the markup on page cannot be updated since it
doesn’t exist.
271
PrimeFaces Userʼs Guide
<p:outputPanel id="out">
<p:dataTable id="tbl" rendered="#{bean.condition}" ...>
//columns
</p:dataTable>
</p:outputPanel>
Note that you won’t need an outputPanel if commandButton has no update attribute specified, in
this case parent form will be updated partially implicitly making an outputPanel use obselete.
Layout
AutoUpdate
When auto update is enabled, outputPanel component is updated with each ajax request
automatically.
Skinning OutputPanel
272
PrimeFaces Userʼs Guide
3.65 OverlayPanel
OverlayPanel is a generic panel component that can be displayed on top of other content.
Info
Tag overlayPanel
Attributes
for null String Identifier of the target component to attach the panel.
273
PrimeFaces Userʼs Guide
onShow null String Client side callback to execute when panel is shown.
onHide null String Client side callback to execute when panel is hidden.
OverlayPanel needs a component as a target in addition to the content to display. Example below
demonstrates an overlayPanel attached to a button to show a chart in a popup.
<p:overlayPanel for="chartBtn">
<p:pieChart value="#{chartBean.pieModel}" legendPosition="w"
title="Sample Pie Chart" style="width:400px;height:300px" />
</p:overlayPanel>
Events
Default event on target to show and hide the panel is mousedown. These are customized using
showEvent and hideEvent options.
Effects
blind, bounce, clip, drop, explode, fold, highlight, puff, pulsate, scale, shake, size, slide are
available values for showEffect and hideEffect options if you’d like display animations.
274
PrimeFaces Userʼs Guide
Positioning
By default, left top corner of panel is aligned to left bottom corner of the target if there is enough
space in window viewport, if not the position is flipped on the fly to find the best location to
display. In order to customize the position use my and at options that takes combinations of left,
right, bottom and top e.g. “right bottom”.
Dynamic Mode
Dynamic mode enables lazy loading of the content, in this mode content of the panel is not rendered
on page load and loaded just before panel is shown. Also content is cached so consecutive displays
do not load the content again. This feature is useful to reduce the page size and reduce page load
time.
Skinning Panel
Panel resides in a main container which style and styleClass attributes apply.
As skinning style classes are global, see the main Skinning section for more information.
Tips
• Enable appendToBody when overlayPanel is in other panel components like layout, dialog ...
275
PrimeFaces Userʼs Guide
3.66 Panel
Panel is a grouping component with content toggle, close and menu integration.
Info
Tag panel
Attributes
276
PrimeFaces Userʼs Guide
<p:panel>
//Child components here...
</p:panel>
Header and Footer texts can be provided by header and footer attributes or the corresponding
facets. When same attribute and facet name are used, facet will be used.
Panel provides custom ajax behavior events for toggling and closing features.
277
PrimeFaces Userʼs Guide
Popup Menu
Panel has built-in support to display a fully customizable popup menu, an icon to display the menu
is placed at top-right corner. This feature is enabled by defining a menu component and defining it
as the options facet.
<p:panel closable="true">
//Child components here...
<f:facet name="options">
<p:menu>
//Menuitems
</p:menu>
</f:facet>
</p:panel>
Skinning Panel
Panel resides in a main container which style and styleClass attributes apply.
As skinning style classes are global, see the main Skinning section for more information.
278
PrimeFaces Userʼs Guide
3.67 PanelGrid
PanelGrid is an extension to the standard panelGrid component with additional features such as
theming and colspan-rowspan.
Info
Tag panelGrid
Attributes
279
PrimeFaces Userʼs Guide
<p:panelGrid columns="2">
<h:outputLabel for="firstname" value="Firstname:" />
<p:inputText id="firstname" value="#{bean.firstname}" label="Firstname" />
<p:panelGrid columns="2">
<f:facet name="header">
Basic PanelGrid
</f:facet>
280
PrimeFaces Userʼs Guide
PanelGrid supports rowspan and colspan options as well, in this case row and column markup
should be defined manually.
<p:panelGrid>
<p:row>
<p:column rowspan="3">AAA</p:column>
<p:column colspan="4">BBB</p:column>
</p:row>
<p:row>
<p:column colspan="2">CCC</p:column>
<p:column colspan="2">DDD</p:column>
</p:row>
<p:row>
<p:column>EEE</p:column>
<p:column>FFF</p:column>
<p:column>GGG</p:column>
<p:column>HHH</p:column>
</p:row>
</p:panelGrid>
Skinning PanelGrid
PanelGrid resides in a main container which style and styleClass attributes apply.
.ui-panelgrid-header Header.
.ui-panelgrid-footer Footer.
As skinning style classes are global, see the main Skinning section for more information.
281
PrimeFaces Userʼs Guide
3.68 Password
Password component is an extended version of standard inputSecret component with theme
integration and strength indicator.
Info
Tag password
Attributes
282
PrimeFaces Userʼs Guide
accesskey null String Access key that when pressed transfers focus to
the input element.
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
283
PrimeFaces Userʼs Guide
onblur null String Client side callback to execute when input element
loses focus.
onchange null String Client side callback to execute when input element
loses focus and its value has been modified since
gaining focus.
onclick null String Client side callback to execute when input element
is clicked.
ondblclick null String Client side callback to execute when input element
is double clicked.
onfocus null String Client side callback to execute when input element
receives focus.
onselect null String Client side callback to execute when text within
input element is selected by user.
readonly FALSE Boolean Flag indicating that this component will prevent
changes by the user.
tabindex null Integer Position of the input element in the tabbing order.
284
PrimeFaces Userʼs Guide
Password is an input component and used just like a standard input text. Most important attribute is
feedback, when enabled (default) a password strength indicator is displayed, disabling feedback
option will make password component behave like standard inputSecret.
I18N
Although all labels are in English by default, you can provide custom labels as well. Following
password gives feedback in Turkish.
By default strength indicator is shown in an overlay, if you prefer an inline indicator just enable
inline mode.
Custom Animations
Using onshow and onhide callbacks, you can create your own animation as well.
285
PrimeFaces Userʼs Guide
This examples uses jQuery api for fadeIn and fadeOut effects. Each callback takes two parameters;
input and container. input is the actual input element of password and container is the strength
indicator element.
<script type="text/javascript">
function fadein(input, container) {
container.fadeIn("slow");
}
Confirmation
Password confirmation is a common case and password provides an easy way to implement. The
other password component’s id should be used to define the match option.
Skinning Password
Name Applies
286
PrimeFaces Userʼs Guide
3.69 PhotoCam
PhotoCam is used to take photos with webcam and send them to the JSF backend model.
Info
Tag photoCam
Attributes
immediate FALSE Boolean When set true, process validations logic is executed at
apply request values phase for this component.
Capture is triggered via client side api’s capture method. Also a method expression is necessary to
invoke when an image is captured. Sample below captures an image and saves it to a directory.
<h:form>
<p:photoCam widgetVar="pc" listener="#{photoCamBean.oncapture}"update="photos"/>
Notes
288
PrimeFaces Userʼs Guide
3.70 PickList
PickList is used for transferring data between two different collections.
Info
Tag pickList
Attributes
289
PrimeFaces Userʼs Guide
290
PrimeFaces Userʼs Guide
public PickListBean() {
List<String> source = new ArrayList<String>();
List<String> target = new ArrayList<String>();
citiesSource.add("Istanbul");
citiesSource.add("Ankara");
citiesSource.add("Izmir");
citiesSource.add("Antalya");
citiesSource.add("Bursa");
//more cities
cities = new DualListModel<String>(citiesSource, citiesTarget);
}
public DualListModel<String> getCities() {
return cities;
}
When the enclosed form is submitted, the dual list reference is populated with the new values and
you can access these values with DualListModel.getSource() and DualListModel.getTarget() api.
POJOs
Most of the time you would deal with complex pojos rather than simple types like String.
This use case is no different except the addition of a converter.
291
PrimeFaces Userʼs Guide
public PickListBean() {
//Players
List<Player> source = new ArrayList<Player>();
List<Player> target = new ArrayList<Player>();
source.add(new Player("Messi", 10));
//more players
players = new DualListModel<Player>(source, target);
}
public DualListModel<Player> getPlayers() {
return players;
}
public void setPlayers(DualListModel<Player> players) {
this.players = players;
}
}
<p:pickList value="#{pickListBean.players}"
var="player" iconOnly="true" effect="bounce"
itemValue="#{player}" converter="player"
showSourceControls="true" showTargetControls="true">
<p:column style="width:25%">
<p:graphicImage value="/images/barca/#{player.photo}"/>
</p:column>
<p:column style="width:75%";>
#{player.name} - #{player.number}
</p:column>
</p:pickList>
Reordering
PickList support reordering of source and target lists, these are enabled by showSourceControls and
showTargetControls options.
292
PrimeFaces Userʼs Guide
Effects
An animation is displayed when transferring when item to another or reordering a list, default effect
is fade and following options are available to be applied using effect attribute;
• blind
• bounce
• clip
• drop
• explode
• fold
• highlight
• puff
• pulsate
• scale
• shake
• size
• slide
effectSpeed attribute is used to customize the animation speed, valid values are slow, normal and
fast.
onTransfer
If you’d like to execute custom javascript when an item is transferred bind your javascript function
to onTransfer attribute.
<script type="text/javascript">
function handleTransfer(e) {
//item = e.item
//fromList = e.from
//toList = e.toList
//type = e.type (type of transfer; command, dblclick or dragdrop)
}
</script>
Captions
Caption texts for lists are defined with facets named sourceCaption and targetCaption;
293
PrimeFaces Userʼs Guide
Skinning
PickList resides in a main container which style and styleClass attributes apply.
As skinning style classes are global, see the main Skinning section for more information.
294
PrimeFaces Userʼs Guide
3.71 Poll
Poll is an ajax component that has the ability to send periodical ajax requests.
Info
Tag poll
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
immediate FALSE Boolean Boolean value that determines the phaseId, when true
actions are processed at apply_request_values, when false
at invoke_application phase.
async FALSE Boolean When set to true, ajax requests are not queued.
onsuccess null String Javascript handler to execute when ajax request succeeds.
onerror null String Javascript handler to execute when ajax request fails.
295
PrimeFaces Userʼs Guide
Poll below invokes increment method on CounterBean every 2 seconds and txt_count is updated
with the new value of the count variable. Note that poll must be nested inside a form.
Tuning timing
By default the periodic interval is 2 seconds, this is changed with the interval attribute. Following
poll works every 5 seconds.
296
PrimeFaces Userʼs Guide
<h:form>
</h:form>
Or bind a boolean variable to the stop attribute and set it to false at any arbitrary time.
297
PrimeFaces Userʼs Guide
3.72 Printer
Printer allows sending a specific JSF component to the printer, not the whole page.
Info
Tag printer
Attributes
Printer is attached to any command component like a button or a link. Examples below
demonstrates how to print a simple output text or a particular image on page;
298
PrimeFaces Userʼs Guide
3.73 ProgressBar
ProgressBar is a process status indicator that can either work purely on client side or interact with
server side using ajax.
Info
Tag propressBar
Attributes
oncomplete null String Client side callback to execute when progress ends.
299
PrimeFaces Userʼs Guide
ProgressBar has two modes, "client"(default) or "ajax". Following is a pure client side progressBar.
<script type="text/javascript">
function start() {
this.progressInterval = setInterval(function(){
pb.setValue(pbClient.getValue() + 10);
}, 2000);
}
function cancel() {
clearInterval(this.progressInterval);
pb.setValue(0);
}
</script>
Ajax Progress
Ajax mode is enabled by setting ajax attribute to true, in this case the value defined on a managed
bean is retrieved peridically and used to update the progress.
Interval
ProgressBar is based on polling and 3000 milliseconds is the default interval for ajax progress bar
meaning every 3 seconds progress value will be recalculated. In order to set a different value, use
the interval attribute.
300
PrimeFaces Userʼs Guide
ProgressBar provides complete as the default and only ajax behavior event that is fired when the
progress is completed. Example below demonstrates how to use this event.
//getter-setter
}
Widget: PrimeFaces.widget.ProgressBar
Skinning
ProgressBar resides in a main container which style and styleClass attributes apply. Following is the
list of structural style classes;
As skinning style classes are global, see the main Skinning section for more information.
301
PrimeFaces Userʼs Guide
3.74 Push
Push component is an agent that creates a channel between the server and the client.
Info
Tag push
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component, when
set to false component will not be rendered.
channel null Object Unique channel name of the connection between subscriber and
the server.
onmessage null String Client side callback to execute when data is pushed.
onclose null String Client side callback to execute when connection is closed.
Method Description
302
PrimeFaces Userʼs Guide
3.75 RadioButton
RadioButton is a helper component of SelectOneRadio to implement custom layouts.
Info
Tag radioButton
Attributes
303
PrimeFaces Userʼs Guide
3.76 Rating
Rating component features a star based rating system.
Info
Tag rating
Attributes
immediate FALSE Boolean Boolean value that specifies the lifecycle phase
the valueChangeEvents should be processed,
when true the events will be fired at "apply
request values", if immediate is set to false,
valueChange Events are fired in "process
validations"
phase
304
PrimeFaces Userʼs Guide
When the enclosing form is submitted value of the rating will be assigned to the rating variable.
Number of Stars
Default number of stars is 5, if you need less or more stars use the stars attribute. Following rating
consists of 10 stars.
In cases where you only want to use the rating component to display the rating value and disallow
user interaction, set disabled to true.
305
PrimeFaces Userʼs Guide
Rating provides default and only rate event as an ajax behavior. A defined listener will be executed
by passing an org.primefaces.event.RateEvent as a parameter.
<p:rating value="#{ratingBean.rating}">
<p:ajax event="rate" listener="#{ratingBean.handleRate}" update="msgs" />
</p:rating>
<p:messages id="msgs" />
Widget: PrimeFaces.widget.Rating
setValue(value) value: Value to set void Updates rating value with provided one.
Skinning
306
PrimeFaces Userʼs Guide
3.77 RemoteCommand
RemoteCommand provides a way to execute JSF backing bean methods directly from javascript.
Info
Tag remoteCommand
Attributes
rendered TRUE Boolea Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
immediate FALSE Boolean Boolean value that determines the phaseId, when true
actions are processed at apply_request_values, when false
at invoke_application phase.
async FALSE Boolean When set to true, ajax requests are not queued.
onstart null String Javascript handler to execute before ajax request is begins.
onsuccess null String Javascript handler to execute when ajax request succeeds.
onerror null String Javascript handler to execute when ajax request fails.
307
PrimeFaces Userʼs Guide
global TRUE Boolean Global ajax requests are listened by ajaxStatus component,
setting global to false will not trigger ajaxStatus.
<script type="text/javascript">
function customfunction() {
//your custom code
That’s it whenever you execute your custom javascript function(eg customfunction()), a remote call
will be made, actionListener is processed and output text is updated. Note that remoteCommand
must be nested inside a form.
Passing Parameters
increment({param1:’val1’, param2:’val2’});
Run on Load
If you’d like to run the command on page load, set autoRun to true.
308
PrimeFaces Userʼs Guide
3.78 Resizable
Resizable component is used to make another JSF component resizable.
Info
Tag resizable
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
ghost FALSE Boolean In ghost mode, resize helper is displayed as the original
element with less opacity.
309
PrimeFaces Userʼs Guide
onStart null String Client side callback to execute when resizing begins.
onStop null String Client side callback to execute after resizing end.
Another example is the input fields, if users need more space for a textarea, make it resizable by;
Boundaries
To prevent overlapping with other elements on page, boundaries need to be specified. There’re 4
attributes for this minWidth, maxWidth, minHeight and maxHeight. The valid values for these
attributes are numbers in terms of pixels.
Handles
Resize handles to display are customize using handles attribute with a combination of n, e, s, w, ne,
se, sw and nw as the value. Default value is "e, s, se".
310
PrimeFaces Userʼs Guide
Visual Feedback
Resize helper is the element used to provide visual feedback during resizing. By default actual
element itself is the helper and two options are available to customize the way feedback is provided.
Enabling ghost option displays the element itself with a lower opacity, in addition enabling proxy
option adds a css class called .ui-resizable-proxy which you can override to customize.
.ui-resizable-proxy {
border: 2px dotted #00F;
}
Effects
Resizing can be animated using animate option and setting an effect name. Animation speed is
customized using effectDuration option "slow", "normal" and "fast" as valid values.
Resizable provides default and only resize event that is called on resize end. In case you have a
listener defined, it will be called by passing an org.primefaces.event.ResizeEvent instance as a
parameter.
<p:resizable for="area">
<p:ajax listener="#{resizeBean.handleResize}">
</p:resizable>
311
PrimeFaces Userʼs Guide
Resizable has three client side callbacks you can use to hook-in your javascript; onStart, onResize
and onStop. All of these callbacks receive two parameters that provide various information about
resize event.
Skinning
312
PrimeFaces Userʼs Guide
3.79 Ring
Ring is a data display component with a circular animation.
Info
Tag ring
Attributes
313
PrimeFaces Userʼs Guide
Item Selection
Easing
314
PrimeFaces Userʼs Guide
Skinning
Ring resides in a main container which style and styleClass attributes apply. Following is the list of
structural style classes.
315
PrimeFaces Userʼs Guide
3.80 Row
Row is a helper component for datatable.
Info
Tag row
Attributes
See datatable grouping section for more information about how row is used.
316
PrimeFaces Userʼs Guide
3.81 RowEditor
RowEditor is a helper component for datatable.
Info
Tag rowEditor
Attributes
See inline editing section in datatable documentation for more information about usage.
317
PrimeFaces Userʼs Guide
3.82 RowExpansion
RowExpansion is a helper component of datatable used to implement expandable rows.
Info
Tag rowExpansion
Attributes
See datatable expandable rows section for more information about how rowExpansion is used.
318
PrimeFaces Userʼs Guide
3.83 RowToggler
RowToggler is a helper component for datatable.
Info
Tag rowToggler
Attributes
See expandable rows section in datatable documentation for more information about usage.
319
PrimeFaces Userʼs Guide
3.84 Schedule
Schedule provides an Outlook Calendar, iCal like JSF component to manage events.
Info
Tag schedule
Attributes
320
PrimeFaces Userʼs Guide
view month String The view type to use, possible values are
'month', 'agendaDay', 'agendaWeek',
'basicWeek', 'basicDay'
initialDate null Object The initial date that is used when schedule
loads. If ommitted, the schedule starts on the
current date
321
PrimeFaces Userʼs Guide
public ScheduleBean() {
eventModel = new ScheduleModel<ScheduleEvent>();
eventModel.addEvent(new DefaultScheduleEvent("title", new Date(),
new Date()));
}
Property Description
Ajax Updates
Schedule has a quite complex UI which is generated on-the-fly by the client side
PrimeFaces.widget.Schedule widget to save bandwidth and increase page load performance. As a
result when you try to update schedule like with a regular PrimeFacess PPR, you may notice a UI
lag as the DOM will be regenerated and replaced. Instead, Schedule provides a simple client side
api and the update method. Whenever you call update, schedule will query it’s server side
ScheduleModel instance to check for updates, transport method used to load events dynamically is
JSON, as a result this approach is much more effective then updating with regular PPR. An example
of this is demonstrated at editable schedule example, save button is calling myschedule.update() at
oncomplete event handler.
Editable Schedule
<h:form>
<p:schedule value="#{bean.eventModel}" editable="true" widgetVar="myschedule">
<p:ajax event="dateSelect" listener="#{bean.onDateSelect}"
update="eventDetails" oncomplete="eventDialog.show()" />
<p:ajax event="eventSelect" listener="#{bean.onEventSelect}"
</p:schedule>
323
PrimeFaces Userʼs Guide
public ScheduleBean() {
eventModel = new ScheduleModel<ScheduleEvent>();
}
Lazy Loading
Schedule assumes whole set of events are eagerly provided in ScheduleModel, if you have a huge
data set of events, lazy loading features would help to improve performance.
In lazy loading mode, only the events that belong to the displayed time frame are fetched whereas
in default eager more all events need to be loaded.
To enable lazy loading of Schedule events, you just need to provide an instance of
org.primefaces.model.LazyScheduleModel and implement the loadEvents methods. loadEvents
method is called with new boundaries every time displayed timeframe is changed.
324
PrimeFaces Userʼs Guide
Customizing Header
Header controls of Schedule can be customized based on templates, valid values of template options
are;
These controls can be placed at three locations on header which are defined with
leftHeaderTemplate, rightHeaderTemplate and centerTemplate attributes.
<p:schedule value="#{scheduleBean.model}"
leftHeaderTemplate"today"
rightHeaderTemplate="prev,next"
centerTemplate="month, agendaWeek, agendaDay"
</p:schedule>
325
PrimeFaces Userʼs Guide
Views
5 different views are supported, these are "month", "agendaWeek", "agendaDay", "basicWeek" and
"basicDay".
agendaWeek
agendaDay
basicWeek
326
PrimeFaces Userʼs Guide
basicDay
Locale Support
By default locale information is retrieved from the view’s locale and can be overridden by the
locale attribute. Locale attribute can take a locale key as a String or a java.util.Locale instance.
Default language of labels are English and you need to add the necessary translations to your page
manually as PrimeFaces does not include language translations. PrimeFaces Wiki Page for
PrimeFacesLocales is a community driven page where you may find the translations you need.
Please contribute to this wiki with your own translations.
http://wiki.primefaces.org/display/Components/PrimeFaces+Locales
Translation is a simple javascript object, we suggest adding the code to a javascript file and include
in your application. Following is a Turkish calendar.
Skinning
Schedule resides in a main container which style and styleClass attributes apply.
As skinning style classes are global, see the main skinning section for more information.
327
PrimeFaces Userʼs Guide
3.85 ScrollPanel
ScrollPanel is used to display overflowed content with theme aware scrollbars instead of native
browsers scrollbars.
Info
Tag scrollPanel
Attributes
mode default String Scrollbar display mode, valid values are default
and native.
328
PrimeFaces Userʼs Guide
<p:scrollPanel style="width:250px;height:200px">
//any content
</p:scrollPanel>
Native ScrollBars
By default, scrollPanel displays theme aware scrollbars, setting mode option to native displays
browser scrollbars.
Skinning
ScrollPanel resides in a main container which style and styleClass attributes apply. As skinning style
classes are global, see the main Skinning section for more information. Following is the list of
structural style classes;
329
PrimeFaces Userʼs Guide
3.86 SelectBooleanButton
SelectBooleanButton is used to select a binary decision with a toggle button.
Info
Tag selectBooleanButton
Attributes
immediate FALSE Boolean When set true, process validations logic is executed at
apply request values phase for this component.
330
PrimeFaces Userʼs Guide
Skinning
SelectBooleanButton resides in a main container which style and styleClass attributes apply. As
skinning style classes are global, see the main Skinning section for more information. Following is
the list of structural style classes;
331
PrimeFaces Userʼs Guide
3.87 SelectBooleanCheckbox
SelectBooleanCheckbox is an extended version of the standard checkbox with theme integration.
Info
Tag selectBooleanCheckbox
Attributes
immediate FALSE Boolean When set true, process validations logic is executed at
apply request values phase for this component.
332
PrimeFaces Userʼs Guide
Widget: PrimeFaces.widget.SelectBooleanCheckbox
Skinning
SelectBooleanCheckbox resides in a main container which style and styleClass attributes apply. As
skinning style classes are global, see the main Skinning section for more information. Following is
the list of structural style classes;
333
PrimeFaces Userʼs Guide
3.88 SelectChecboxMenu
SelectCheckboxMenu is a multi select component that displays options in an overlay.
Info
Tag selectCheckboxMenu
Attributes
Skinning
SelectCheckboxMenu resides in a main container which style and styleClass attributes apply. As
skinning style classes are global, see the main Skinning section for more information. Following is
the list of structural style classes;
.ui-selectcheckboxmenu-label Label.
335
PrimeFaces Userʼs Guide
3.89 SelectManyButton
SelectManyButton is a multi select component using button UI.
Info
Tag selectManyButton
Attributes
336
PrimeFaces Userʼs Guide
Skinning
SelectManyButton resides in a main container which style and styleClass attributes apply. As
skinning style classes are global, see the main Skinning section for more information. Following is
the list of structural style classes;
337
PrimeFaces Userʼs Guide
3.90 SelectManyCheckbox
SelectManyCheckbox is an extended version of the standard SelectManyCheckbox with theme
integration.
Info
Tag selectManyCheckbox
Attributes
338
PrimeFaces Userʼs Guide
Skinning
SelectManyCheckbox resides in a main container which style and styleClass attributes apply. As
skinning style classes are global, see the main Skinning section for more information. Following is
the list of structural style classes;
339
PrimeFaces Userʼs Guide
3.91 SelectManyMenu
SelectManyMenu is an extended version of the standard SelectManyMenu with theme integration.
Info
Tag selectManyMenu
Attributes
340
PrimeFaces Userʼs Guide
Skinning
SelectManyMenu resides in a container that style and styleClass attributes apply. As skinning style
classes are global, see the main Skinning section for more information. Following is the list of
structural style classes;
341
PrimeFaces Userʼs Guide
3.92 SelectOneButton
SelectOneButton is an input component to do a single select.
Info
Tag selectOneButton
Attributes
342
PrimeFaces Userʼs Guide
SelectOneButton usage is same as selectOneRadio component, buttons just replace the radios.
Skinning
SelectOneButton resides in a main container which style and styleClass attributes apply. As
skinning style classes are global, see the main Skinning section for more information. Following is
the list of structural style classes;
343
PrimeFaces Userʼs Guide
3.93 SelectOneListbox
SelectOneListbox is an extended version of the standard SelectOneListbox with theme integration.
Info
Tag selectOneListbox
Attributes
344
PrimeFaces Userʼs Guide
Skinning
SelectOneListbox resides in a main container which style and styleClass attributes apply. As
skinning style classes are global, see the main Skinning section for more information. Following is
the list of structural style classes;
345
PrimeFaces Userʼs Guide
3.94 SelectOneMenu
SelectOneMenu is an extended version of the standard SelectOneMenu with theme integration.
Info
Tag selectOneMenu
Attributes
346
PrimeFaces Userʼs Guide
Effects
An animation is executed to show and hide the overlay menu, default effect is blind and following
options are available for effect attribute;
• blind
• bounce
• clip
• drop
• explode
• fold
• highlight
347
PrimeFaces Userʼs Guide
• puff
• pulsate
• scale
• shake
• size
• slide
Custom Content
SelectOneMenu can display custom content in overlay panel by using column component and the
var option to refer to each item.
<p:column>
<p:graphicImage value="/images/barca/#{p.photo}" width="40" height="50"/>
</p:column>
<p:column>
#{p.name} - #{p.number}
</p:column>
</p:selectOneMenu>
348
PrimeFaces Userʼs Guide
Editable
Editable SelectOneMenu provides a UI to either choose from the predefined options or enter a
manual input. Set editable option to true to use this feature.
Skinning
SelectOneMenu resides in a container element that style and styleClass attributes apply. As skinning
style classes are global, see the main Skinning section for more information. Following is the list of
structural style classes;
349
PrimeFaces Userʼs Guide
3.95 SelectOneRadio
SelectOneRadio is an extended version of the standard SelectOneRadio with theme integration.
Info
Tag selectOneRadio
Attributes
350
PrimeFaces Userʼs Guide
Custom Layout
Standard selectOneRadio component only supports horizontal and vertical rendering of the radio
buttons with a strict table markup. PrimeFaces SelectOneMenu on the other hand provides a
flexible layout option so that radio buttons can be located anywhere on the page. This is
implemented by setting layout option to custom and with standalone radioButton components. Note
that in custom mode, selectOneRadio itself does not render any output.
<h:panelGrid columns="3">
<p:radioButton id="opt1" for="customRadio" itemIndex="0"/>
<h:outputLabel for="opt1" value="Option 1" />
<p:spinner />
351
PrimeFaces Userʼs Guide
RadioButton’s for attribute should refer to a selectOneRadio component and itemIndex points to the
index of the selectItem. When using custom layout option, selectOneRadio component should be
placed above any radioButton that points to the selectOneRadio.
Skinning
SelectOneRadio resides in a main container which style and styleClass attributes apply. As skinning
style classes are global, see the main Skinning section for more information. Following is the list of
structural style classes;
352
PrimeFaces Userʼs Guide
3.96 Separator
Seperator displays a horizontal line to separate content.
Info
Tag separator
Attributes
//content
<p:separator />
//content
353
PrimeFaces Userʼs Guide
Dimensions
Separator renders a <hr /> tag which style and styleClass options apply.
Special Separators
Separator can be used inside other components such as menu and toolbar as well.
<p:menu>
//submenu or menuitem
<p:separator />
//submenu or menuitem
</p:menu>
<p:toolbar>
<p:toolbarGroup align="left">
//content
<p:separator />
//content
</p:toolbarGroup>
</p:toolbar>
Skinning
As mentioned in dimensions section, style and styleClass options can be used to style the separator.
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
354
PrimeFaces Userʼs Guide
3.97 Sheet
Sheet is an excel-like component to do data manipulation featuring resizable columns, ajax sorting,
horizontal/vertical scrolling, frozen headers, keyboard navigation, multi cell selection with meta/
shift keys, bulk delete/update and more.
Info
Tag sheet
Attributes
Sheet usage is similar to a datatable, two important points for sheet are;
public TableBean() {
cars = //populate data
}
When the parent form of the sheet is submitted, sheet will update the data according to the changes
on client side.
356
PrimeFaces Userʼs Guide
Sorting
Sorting can be enabled using the sortBy option of the column component.
Skinning
Sheet resides in a container that style and styleClass attributes apply. As skinning style classes are
global, see the main Skinning section for more information. Following is the list of structural style
classes;
357
PrimeFaces Userʼs Guide
3.98 Slider
Slider is used to provide input with various customization options like orientation, display modes
and skinning.
Info
Tag slider
Attributes
for null String Id of the input text that the slider will be used for
type horizontal String Sets the type of the slider, "horizontal" or "vertical".
358
PrimeFaces Userʼs Guide
onSlideStart null String Client side callback to execute when slide begins.
onSlideEnd null String Client side callback to execute when slide ends.
Slider requires an input component to work with, for attribute is used to set the id of the input
component whose input will be provided by the slider.
Display Value
Using display feature, you can present a readonly display value and still use slider to provide input,
in this case for should refer to a hidden input to bind the value.
359
PrimeFaces Userʼs Guide
Vertical Slider
By default slider’s orientation is horizontal, vertical sliding is also supported and can be set using
the type attribute.
Step
Step factor defines the interval between each point during sliding. Default value is one and it is
customized using step option.
Animation
Sliding is animated by default, if you want to turn it of animate attribute set the animate option to
false.
Boundaries
Maximum and minimum boundaries for the sliding is defined using minValue and maxValue
attributes. Following slider can slide between -100 and +100.
360
PrimeFaces Userʼs Guide
Slider provides three callbacks to hook-in your custom javascript, onSlideStart, onSlide and
onSlideEnd. All of these callbacks receive two parameters; slide event and the ui object containing
information about the event.
Slider provides one ajax behavior event called slideEnd that is fired when the slide completes. If
you have a listener defined, it will be called by passing org.primefaces.event.SlideEndEvent
instance. Example below adds a message and displays it using growl component when slide ends.
<p:slider for="number">
<p:ajax event="slideEnd" listener="#{sliderBean.onSlideEnd}" update="msgs" />
</p:slider>
361
PrimeFaces Userʼs Guide
Widget: PrimeFaces.widget.Slider
Skinning
Slider resides in a main container which style and styleClass attributes apply. These attributes are
handy to specify the dimensions of the slider.
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
362
PrimeFaces Userʼs Guide
3.99 Spacer
Spacer is used to put spaces between elements.
Info
Tag spacer
Attributes
Spacer in this example separates this text <p:spacer width="100" height="10"> and
<p:spacer width="100" height="10"> this text.
363
PrimeFaces Userʼs Guide
3.100 Spinner
Spinner is an input component to provide a numerical input via increment and decrement buttons.
Info
Tag spinner
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
immediate FALSE Boolean Boolean value that specifies the lifecycle phase the
valueChangeEvents should be processed, when true the
events will be fired at "apply request values", if immediate
is set to false, valueChange Events are fired in "process
validations"
phase
364
PrimeFaces Userʼs Guide
valueChangeListener null Method A method binding expression that refers to a method for
Expr handling a valuchangeevent
accesskey null String Access key that when pressed transfers focus to the input
element.
dir null String Direction indication for text that does not inherit
directionality. Valid values are LTR and RTL.
lang null String Code describing the language used in the generated
markup for this component.
maxlength null Integer Maximum number of characters that may be entered in this
field.
onblur null String Client side callback to execute when input element loses
focus.
onchange null String Client side callback to execute when input element loses
focus and its value has been modified since gaining focus.
onclick null String Client side callback to execute when input element is
clicked.
ondblclick null String Client side callback to execute when input element is
double clicked.
onfocus null String Client side callback to execute when input element
receives focus.
onkeydown null String Client side callback to execute when a key is pressed down
over input element.
365
PrimeFaces Userʼs Guide
onkeypress null String Client side callback to execute when a key is pressed and
released over input element.
onkeyup null String Client side callback to execute when a key is released over
input element.
onmousedown null String Client side callback to execute when a pointer button is
pressed down over input element
onmousemove null String Client side callback to execute when a pointer button is
moved within input element.
onmouseout null String Client side callback to execute when a pointer button is
moved away from input element.
onmouseover null String Client side callback to execute when a pointer button is
moved onto input element.
onmouseup null String Client side callback to execute when a pointer button is
released over input element.
onselect null String Client side callback to execute when text within input
element is selected by user.
readonly FALSE Boolean Flag indicating that this component will prevent changes
by the user.
size null Integer Number of characters used to determine the width of the
input element.
tabindex null Integer Position of the input element in the tabbing order.
Spinner is an input component and used just like a standard input text.
366
PrimeFaces Userʼs Guide
Step Factor
Other than integers, spinner also support decimals so the fractional part can be controller with
spinner as well. For decimals use the stepFactor attribute to specify stepping amount. Following
example uses a stepFactor 0.25.
Prefix and Suffix options enable placing fixed strings on input field. Note that you would need to
use a converter to avoid conversion errors since prefix/suffix will also be posted.
Boundaries
In order to restrict the boundary values, use min and max options.
367
PrimeFaces Userʼs Guide
Ajax Spinner
Spinner can be ajaxified using client behaviors like f:ajax or p:ajax. In example below, an ajax
request is done to update the outputtext with new value whenever a spinner button is clicked.
<p:spinner value="#{spinnerBean.number}">
<p:ajax update="display" />
</p:spinner>
Skinning
Spinner resides in a container element that using style and styleClass applies.
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
368
PrimeFaces Userʼs Guide
3.101 Submenu
Submenu is nested in menu components and represents a sub menu items.
Info
Tag submenu
Attributes
icon null String Icon of a submenu, see menuitem to see how it is used
Please see Menu or Menubar section to find out how submenu is used with the menus.
369
PrimeFaces Userʼs Guide
3.102 Stack
Stack is a navigation component that mimics the stacks feature in Mac OS X.
Info
Tag stack
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
openSpeed 300 String Speed of the animation when opening the stack.
closeSpeed 300 Integer Speed of the animation when opening the stack.
370
PrimeFaces Userʼs Guide
Each item in the stack is represented with menuitems. Stack below has five items with different
icons and labels.
<p:stack icon="/images/stack/stack.png">
<p:menuitem value="Aperture" icon="/images/stack/aperture.png" url="#"/>
<p:menuitem value="Photoshop" icon="/images/stack/photoshop.png" url="#"/>
//...
</p:stack>
Location
Stack is a fixed positioned element and location can be change via css. There’s one important css
selector for stack called .ui-stack. Override this style to change the location of stack.
.ui-stack {
bottom: 28px;
right: 40px;
}
Dynamic Menus
Menus can be created programmatically as well, see the dynamic menus part in menu component
section for more information and an example.
Skinning
Class Applies
371
PrimeFaces Userʼs Guide
3.103 SubTable
SummaryRow is a helper component of datatable used for grouping.
Info
Tag subTable
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
3.104 SummaryRow
SummaryRow is a helper component of datatable used for dynamic grouping.
Info
Tag summaryRow
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
373
PrimeFaces Userʼs Guide
3.105 Tab
Tab is a generic container component used by other PrimeFaces components such as tabView and
accordionPanel.
Info
Tag tab
Attributes
See the sections of components who utilize tab component for more information. As tab is a shared
component, not all attributes may apply to the components that use tab.
374
PrimeFaces Userʼs Guide
3.106 TabView
TabView is a tabbed panel component featuring client side tabs, dynamic content loading with ajax
and content transition effects.
Info
Tag tabView
Attributes
375
PrimeFaces Userʼs Guide
cache TRUE Boolean When tab contents are lazy loaded by ajax
toggleMode, caching only retrieves the tab
contents once and subsequent toggles of a cached
tab does not communicate with server. If caching is
turned off, tab contents are reloaded from server
each time tab is clicked.
<p:tabView>
<p:tab title="Tab One">
<h:outputText value="Lorem" />
</p:tab>
<p:tab title="Tab Two">
<h:outputText value="Ipsum" />
</p:tab>
<p:tab title="Tab Three">
<h:outputText value="Dolor" />
</p:tab>
</p:tabView>
Dynamic Tabs
There’re two toggleModes in tabview, non-dynamic (default) and dynamic. By default, all tab
contents are rendered to the client, on the other hand in dynamic mode, only the active tab contents
are rendered and when an inactive tab header is selected, content is loaded with ajax. Dynamic
mode is handy in reducing page size, since inactive tabs are lazy loaded, pages will load faster. To
enable dynamic loading, simply set dynamic option to true.
376
PrimeFaces Userʼs Guide
<p:tabView dynamic="true">
//tabs
</p:tabView>
Content Caching
Dynamically loaded tabs cache their contents by default, by doing so, reactivating a tab doesn’t
result in an ajax request since contents are cached. If you want to reload content of a tab each time a
tab is selected, turn off caching by cache to false.
Effects
Content transition effects are controlled with effect and effectDuration attributes. EffectDuration
specifies the speed of the effect, slow, normal (default) and fast are the valid options.
tabChange and tabClose are the ajax behavior events of tabview that are executed when a tab is
changed and closed respectively. Here is an example of a tabChange behavior implementation;
<p:tabView>
<p:ajax event=”tabChange” listener=”#{bean.onChange}” />
//tabs
</p:tabView>
377
PrimeFaces Userʼs Guide
When the tabs to display are not static, use the built-in iteration feature similar to ui:repeat.
Orientations
Tabview supports four different orientations mode, top(default), left, right and bottom.
<p:tabView orientation="left">
//tabs
</p:tabView>
Tabview has two callbacks for client side. onTabChange is executed when an inactive tab is clicked
and onTabShow is executed when an inactive tab becomes active to be shown.
function handleTabChange(index) {
//index = Index of the new tab
}
378
PrimeFaces Userʼs Guide
Widget: PrimeFaces.widget.TabView.
select(index) index: Index of tab to display void Activates tab with given
index
disable(index) index: Index of tab to disable void Disables tab with given
index
enable(index) index: Index of tab to enable void Enables tab with given
index
remove(index) index: Index of tab to remove void Removes tab with given
index
Skinning
As skinning style classes are global, see the main Skinning section for more information. Following
is the list of structural style classes.
Class Applies
379
PrimeFaces Userʼs Guide
3.107 TagCloud
TagCloud displays a collection of tag with different strengths.
Info
Tag tagCloud
Attributes
380
PrimeFaces Userʼs Guide
public TagCloudBean() {
model = new DefaultTagCloudModel();
model.addTag(new DefaultTagCloudItem("Transformers", "#", 1));
//more
}
//getter
}
TagCloud API
org.primefaces.model.tagcloud.TagCloudModel
Method Description
org.primefaces.model.tagcloud.TagCloudItem
Method Description
Skinning
TagCloud resides in a container element that style and styleClass attributes apply. .ui-tagcloud
applies to main container and .ui-tagcloud-strength-[1,5] applies to each tag. As skinning style
classes are global, see the main Skinning section for more information.
381
PrimeFaces Userʼs Guide
3.108 Terminal
Terminal is an ajax powered web based terminal that brings desktop terminals to JSF.
Info
Tag terminal
Attributes
Whenever a command is sent to the server, handleCommand method is invoked with the command
name and the command arguments as a String array.
Focus
To add focus on terminal, use client side api, following example shows how to add focus on a
terminal nested inside a dialog;
383
PrimeFaces Userʼs Guide
3.109 ThemeSwitcher
ThemeSwitcher enables switching PrimeFaces themes on the fly with no page refresh.
Info
Tag themeSwitcher
Attributes
384
PrimeFaces Userʼs Guide
<p:themeSwitcher style="width:150px">
<f:selectItem itemLabel="Choose Theme" itemValue="" />
<f:selectItems value="#{bean.themes}" />
</p:themeSwitcher>
Stateful ThemeSwitcher
By default, themeswitcher just changes the theme on the fly with no page refresh, in case you’d like
to get notified when a user changes the theme (e.g. to update user preferences), you can use an ajax
behavior.
Advanced ThemeSwitcher
ThemeSwitcher supports displaying custom content so that you can show theme previews.
<p:themeSwitcher>
<f:selectItem itemLabel="Choose Theme" itemValue="" />
<f:selectItems value="#{themeSwitcherBean.advancedThemes}" var="theme"
itemLabel="#{theme.name}" itemValue="#{theme}"/>
<p:column>
<p:graphicImage value="/images/themes/#{t.image}"/>
</p:column>
<p:column>
#{t.name}
</p:column>
</p:themeSwitcher>
385
PrimeFaces Userʼs Guide
3.110 Toolbar
Toolbar is a horizontal grouping component for commands and other content.
Info
Tag toolbar
Attributes
Toolbar has two placeholders(left and right) that are defined with toolbarGroup component.
<p:toolbar>
<p:toolbarGroup align="left">
</p:toolbarGroup>
<p:toolbarGroup align="right">
</p:toolbarGroup>
</p:toolbar>
386
PrimeFaces Userʼs Guide
<p:toolbar>
<p:toolbarGroup align="left">
<p:commandButton type="push" value="New" image="ui-icon-document" />
<p:commandButton type="push" value="Open" image="ui-icon-folder-open"/>
<p:separator />
<p:divider />
<p:toolbarGroup align="right">
<p:menuButton value="Navigate">
<p:menuitem value="Home" url="#" />
<p:menuitem value="Logout" url="#" />
</p:menuButton>
</p:toolbarGroup>
</p:toolbar>
Skinning
Toolbar resides in a container element which style and styleClass options apply.
As skinning style classes are global, see the main Skinning section for more information.
387
PrimeFaces Userʼs Guide
3.111 ToolbarGroup
ToolbarbarGroup is a helper component for Toolbar component to define placeholders.
Info
Tag toolbarGroup
Attributes
align null String Defines the alignment within toolbar, valid values
are left and right.
See toolbar documentation for more information about how Toolbar Group is used.
388
PrimeFaces Userʼs Guide
3.112 Tooltip
Tooltip goes beyond the legacy html title attribute by providing custom effects, events, html content
and advance theme support.
Info
Tag tooltip
Attributes
389
PrimeFaces Userʼs Guide
Tooltip is used by attaching it to a target component. Tooltip value can also be retrieved from
target’s title, so following is same;
A tooltip is shown on mouseover event and hidden when mouse is out by default. If you need to
change this behaviour use the showEvent and hideEvent feature. Tooltip below is displayed when
the input gets the focus and hidden with onblur.
• blind
• bounce
• clip
• drop
• explode
• fold
• highlight
• puff
• pulsate
• scale
• shake
• size
• slide
390
PrimeFaces Userʼs Guide
Html Content
Another powerful feature of tooltip is the ability to display custom content as a tooltip not just plain
texts. An example is as follows;
<p:tooltip for="lnk">
<p:graphicImage value="/images/prime_logo.png" />
<h:outputText value="Visit PrimeFaces Home" />
</p:tooltip>
Skinning
Tooltip has only .ui-tooltip as a style class and is styled with global skinning selectors, see main
skinning section for more information.
391
PrimeFaces Userʼs Guide
3.113 Tree
Tree is is used for displaying hierarchical data and creating site navigations.
Info
Tag tree
Attributes
392
PrimeFaces Userʼs Guide
styleClass null String Style class of the main container element of tree
//getter
}
393
PrimeFaces Userʼs Guide
TreeNode vs p:TreeNode
TreeNode API is used to create the node model and consists of org.primefaces.model.TreeNode
instances, on the other hand <p:treeNode /> tag represents a component of type
org.primefaces.component.tree.UITreeNode. You can bind a TreeNode to a particular p:treeNode
using the type name. Document Tree example in upcoming section demonstrates a sample usage.
TreeNode API
TreeNode has a simple API to use when building the backing model. For example if you call
node.setExpanded(true) on a particular node, tree will render that node as expanded.
type String type of the treeNode name, default type name is "default".
Dynamic Tree
Tree is non-dynamic by default and toggling happens on client-side. In order to enable ajax toggling
set dynamic setting to true.
Non-Dynamic: When toggling is set to client all the treenodes in model are rendered to the client
and tree is created, this mode is suitable for relatively small datasets and provides fast user
interaction. On the otherhand it’s not suitable for large data since all the data is sent to the client.
Dynamic: Dynamic mode uses ajax to fetch the treenodes from server side on demand, compared to
the client toggling, dynamic mode has the advantage of dealing with large data because only the
child nodes of the root node is sent to the client initially and whole tree is lazily populated. When a
node is expanded, tree only loads the children of the particular expanded node and send to the client
for display.
394
PrimeFaces Userʼs Guide
It’s a common requirement to display different TreeNode types with a different UI (eg icon).
Suppose you’re using tree to visualize a company with different departments and different
employees, or a document tree with various folders, files each having a different formats (music,
video). In order to solve this, you can place more than one <p:treeNode /> components each having
a different type and use that "type" to bind TreeNode’s in your model. Following example
demonstrates a document explorer. To begin with here is the final output;
Document Explorer is implemented with four different <p:treeNode /> components and additional
CSS skinning to visualize expanded/closed folder icons.
395
PrimeFaces Userʼs Guide
Integration between a TreeNode and a p:treeNode is the type attribute, for example music files in
document explorer are represented using TreeNodes with type "mp3", there’s also a p:treeNode
component with same type "mp3". This results in rendering all music nodes using that particular
p:treeNode representation which displays a note icon. Similarly document and pictures have their
own p:treeNode representations.
Folders on the other hand have two states whose icons are defined by expandedIcon and
collapsedIcon attributes.
396
PrimeFaces Userʼs Guide
Event listeners are also useful when dealing with huge amount of data. The idea for implementing
such a use case would be providing only the root and child nodes to the tree, use event listeners to
get the selected node and add new nodes to that particular tree at runtime.
Selection
Node selection is a built-in feature of tree and it supports three different modes. Selection should be
a TreeNode for single case and an array of TreeNodes for multiple and checkbox cases, tree finds
the selected nodes and assign them to your selection model.
single: Only one at a time can be selected, selection should be a TreeNode reference.
multiple: Multiple nodes can be selected, selection should be a TreeNode[] reference.
checkbox: Multiple selection is done with checkbox UI, selection should be a TreeNode[] reference.
397
PrimeFaces Userʼs Guide
public TreeBean() {
root = new TreeNode("Root", null);
//populate nodes
}
That’s it, now the checkbox based tree looks like below. When the form is submitted with a
command component like a button, selected nodes will be populated in selectedNodes property of
TreeBean.
Node Caching
When caching is turned on by default, dynamically loaded nodes will be kept in memory so re-
expanding a node will not trigger a server side request. In case it’s set to false, collapsing the node
will remove the children and expanding it later causes the children nodes to be fetched from server
again.
If you need to execute custom javascript when a treenode is clicked, use the onNodeClick attribute.
Your javascript method will be processed with passing the html element of the node.
398
PrimeFaces Userʼs Guide
ContextMenu
Tree has special integration with context menu, you can even match different context menus with
different tree nodes using nodeType option of context menu that matches the tree node type.
Skinning
Tree resides in a container element which style and styleClass options apply.
As skinning style classes are global, see the main Skinning section for more information.
399
PrimeFaces Userʼs Guide
3.114 TreeNode
TreeNode is used with Tree component to represent a node in tree.
Info
Tag treeNode
Attributes
styleClass null String Style class to apply a particular tree node type
TreeNode is used by Tree and TreeTable components, refer to sections of these components for
more information.
400
PrimeFaces Userʼs Guide
3.115 TreeTable
Treetable is is used for displaying hierarchical data in tabular format.
Info
Tag treeTable
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
var null String Name of the request-scoped variable used to refer each
treenode.
401
PrimeFaces Userʼs Guide
//getters, setters
}
402
PrimeFaces Userʼs Guide
Selection
Node selection is a built-in feature of tree and it supports two different modes. Selection should be a
TreeNode for single case and an array of TreeNodes for multiple case, tree finds the selected nodes
and assign them to your selection model.
single: Only one at a time can be selected, selection should be a TreeNode reference.
multiple: Multiple nodes can be selected, selection should be a TreeNode[] reference.
ContextMenu
TreeTable has special integration with context menu, you can even match different context menus
with different tree nodes using nodeType option of context menu that matches the tree node type.
Skinning
TreeTable content resides in a container element which style and styleClass attributes apply.
Following is the list of structural style classes;
Class Applies
As skinning style classes are global, see the main Skinning section for more information.
403
PrimeFaces Userʼs Guide
3.116 Watermark
Watermark displays a hint on an input field.
Info
Tag watermark
Attributes
Watermark requires a target of the input component, one way is to use for attribute.
404
PrimeFaces Userʼs Guide
Form Submissions
Watermark is set as the text of an input field which shouldn’t be sent to the server when an
enclosing for is submitted. This would result in updating bean properties with watermark values.
Watermark component is clever enough to handle this case, by default in non-ajax form
submissions, watermarks are cleared. However ajax submissions requires a little manual effort.
Skinning
There’s only one css style class applying watermark which is ‘.ui-watermark’, you can override this
class to bring in your own style. Note that this style class is not applied when watermark uses html5
placeholder if available.
405
PrimeFaces Userʼs Guide
3.117 Wizard
Wizard provides an ajax enhanced UI to implement a workflow easily in a single page. Wizard
consists of several child tab components where each tab represents a step in the process.
Info
Tag wizard
Attributes
rendered TRUE Boolean Boolean value to specify the rendering of the component,
when set to false component will not be rendered.
styleClass null String Style class of the main wizard container element.
flowListener null MethodExpr Server side listener to invoke when wizard attempts to go
forward or back.
onback null String Javascript event handler to be invoked when flow goes
back.
onnext null String Javascript event handler to be invoked when flow goes
forward.
Each step in the flow is represented with a tab. As an example following wizard is used to create a
new user in a total of 4 steps where last step is for confirmation of the information provided in first
3 steps. To begin with create your backing bean, it’s important that the bean lives across multiple
requests so avoid a request scope bean. Optimal scope for wizard is viewScope.
User is a simple pojo with properties such as firstname, lastname, email and etc. Following wizard
requires 3 steps to get the user data; Personal Details, Address Details and Contact Details. Note
that last tab contains read-only data for confirmation and the submit button.
407
PrimeFaces Userʼs Guide
<h:form>
<p:wizard>
<p:tab id="personal">
<p:panel header="Personal Details">
<h:messages errorClass="error"/>
<h:panelGrid columns="2">
<h:outputText value="Firstname: *" />
<h:inputText value="#{userWizard.user.firstname}" required="true"/>
<h:outputText value="Lastname: *" />
<h:inputText value="#{userWizard.user.lastname}" required="true"/>
<h:outputText value="Age: " />
<h:inputText value="#{userWizard.user.age}" />
</h:panelGrid>
</p:panel>
</p:tab>
<p:tab id="address">
<p:panel header="Adress Details">
<h:messages errorClass="error"/>
<h:panelGrid columns="2" columnClasses="label, value">
<h:outputText value="Street: " />
<h:inputText value="#{userWizard.user.street}" />
<h:outputText value="Postal Code: " />
<h:inputText value="#{userWizard.user.postalCode}" />
<h:outputText value="City: " />
<h:inputText value="#{userWizard.user.city}" />
</h:panelGrid>
</p:panel>
</p:tab>
<p:tab id="contact">
<p:panel header="Contact Information">
<h:messages errorClass="error"/>
<h:panelGrid columns="2">
<h:outputText value="Email: *" />
<h:inputText value="#{userWizard.user.email}" required="true"/>
<h:outputText value="Phone: " />
<h:inputText value="#{userWizard.user.phone}"/>
<h:outputText value="Additional Info: " />
<h:inputText value="#{userWizard.user.info}"/>
</h:panelGrid>
</p:panel>
</p:tab>
408
PrimeFaces Userʼs Guide
<p:tab id="confirm">
<p:panel header="Confirmation">
<h:panelGrid id="confirmation" columns="6">
<h:outputText value="Firstname: " />
<h:outputText value="#{userWizard.user.firstname}"/>
<h:outputText value="Lastname: " />
<h:outputText value="#{userWizard.user.lastname}"/>
<h:outputText value="Age: " />
<h:outputText value="#{userWizard.user.age}" />
<h:outputText value="Street: " />
<h:outputText value="#{userWizard.user.street}" />
<h:outputText value="Postal Code: " />
<h:outputText value="#{userWizard.user.postalCode}"/>
<h:outputText value="City: " />
<h:outputText value="#{userWizard.user.city}"/>
<h:outputText value="Email: " />
<h:outputText value="#{userWizard.user.email}" />
<h:outputText value="Phone " />
<h:outputText value="#{userWizard.user.phone}"/>
<h:outputText value="Info: " />
<h:outputText value="#{userWizard.user.info}"/>
<h:outputText />
<h:outputText />
</h:panelGrid>
<p:commandButton value="Submit" actionListener="#{userWizard.save}" />
</p:panel>
</p:tab>
</p:wizard>
</h:form>
Switching between steps is based on ajax, meaning each step is loaded dynamically with ajax.
Partial validation is also built-in, by this way when you click next, only the current step is validated,
if the current step is valid, next tab’s contents are loaded with ajax. Validations are not executed
when flow goes back.
Navigations
Wizard provides two icons to interact with; next and prev. Please see the skinning wizard section to
know more about how to change the look and feel of a wizard.
409
PrimeFaces Userʼs Guide
Custom UI
By default wizard displays right and left arrows to navigate between steps, if you need to come up
with your own UI, set showNavBar to false and use the provided the client side api.
Ajax FlowListener
If you’d like get notified on server side when wizard attempts to go back or forward, define a
flowListener.
<p:wizard flowListener="#{userWizard.handleFlow}">
...
</p:wizard>
if(skip)
return "confirm";
else
return event.getNextStep();
}
Steps here are simply the ids of tab, by using a flowListener you can decide which step to display
next so wizard does not need to be linear always.
Wizard is equipped with onback and onnext attributes, in case you need to execute custom
javascript after wizard goes back or forth. You just need to provide the names of javascript
functions as the values of these attributes.
410
PrimeFaces Userʼs Guide
Widget: PrimeFaces.widget.Wizard
Skinning Wizard
Wizard reside in a container element that style and styleClass attributes apply.
Selector Applies
As skinning style classes are global, see the main Skinning section for more information.
411
PrimeFaces Userʼs Guide
4.1.1 Infrastructure
PrimeFaces Ajax Framework is based on standard server side APIs of JSF 2. There are no additional
artfacts like custom AjaxViewRoot, AjaxStateManager, AjaxViewHandler, Servlet Filters,
HtmlParsers, PhaseListeners and so on. PrimeFaces aims to keep it clean, fast and lightweight.
On client side rather than using client side API implementations of JSF implementations like
Mojarra and MyFaces, PrimeFaces scripts are based on the most popular javascript library; jQuery
which is far more tested, stable regarding ajax, dom handling, dom tree traversing than a JSF
implementations scripts.
Getting Started
When using PPR you need to specify which component(s) to update with ajax. If the component
that triggers PPR request is at the same namingcontainer (eg. form) with the component(s) it
renders, you can use the server ids directly. In this section although we’ll be using commandButton,
same applies to every component that’s capable of PPR such as commandLink, poll,
remoteCommand and etc.
<h:form>
<p:commandButton update="display" />
<h:outputText id="display" value="#{bean.value}"/>
</h:form>
PrependId
412
PrimeFaces Userʼs Guide
<h:form prependId="false">
<p:commandButton update="display" />
<h:outputText id="display" value="#{bean.value}"/>
</h:form>
ClientId
<h:form id="myform">
<p:commandButton update="myform:display" />
<h:outputText id="display" value="#{bean.value}"/>
</h:form>
Different NamingContainers
If your page has different naming containers (e.g. two forms), you also need to add the container id
to search expression so that PPR can handle requests that are triggered inside a namingcontainer
that updates another namingcontainer. Following is the suggested way using separator char as a
prefix, note that this uses same search algorithm as standard JSF 2 implementation;
<h:form id="form1">
<p:commandButton update=":form2:display" />
</h:form>
<h:form id="form2">
<h:outputText id="display" value="#{bean.value}"/>
</h:form>
Please read findComponent algorithm described in link below used by both JSF core and
PrimeFaces to fully understand how component referencing works.
http://docs.oracle.com/javaee/6/api/javax/faces/component/UIComponent.html
JSF h:form, datatable, composite components are naming containers, in addition tabView,
accordionPanel, dataTable, dataGrid, dataList, carousel, galleria, ring, sheet and subTable are
PrimeFaces component that implement NamingContainer.
413
PrimeFaces Userʼs Guide
Multiple Components
Multiple Components to update can be specified with providing a list of ids separated by a comma,
whitespace or even both.
<h:form>
<p:commandButton update="display1,display2" />
<p:commandButton update="display1 display2" />
<h:outputText id="display1" value="#{bean.value1}"/>
Keywords
Keyword Description
@none PPR does not change the DOM with ajax response.
<h:form>
<p:commandButton update="@form" />
<h:outputText value="#{bean.value}"/>
</h:form>
Keywords can also be used together with explicit ids, so update="@form, display" is also
supported.
ajaxStatus is the component to notify the users about the status of global ajax requests. See the
ajaxStatus section to get more information about the component.
Global vs Non-Global
By default ajax requests are global, meaning if there is an ajaxStatus component present on page, it
is triggered.
414
PrimeFaces Userʼs Guide
If you want to do a "silent" request not to trigger ajaxStatus instead, set global to false. An example
with commandButton would be;
4.1.4 Bits&Pieces
See the javascript section to learn more about the PrimeFaces Javascript Ajax API.
415
PrimeFaces Userʼs Guide
This feature is a simple but powerful enough to do group validations, avoiding validating unwanted
components, eliminating need of using immediate and many more use cases. Various components
such as commandButton, commandLink are equipped with process attribute, in examples we’ll be
using commandButton.
A common use case of partial process is doing partial validations, suppose you have a simple
contact form with two dropdown components for selecting city and suburb, also there’s an
inputText which is required. When city is selected, related suburbs of the selected city is populated
in suburb dropdown.
<h:form>
</h:form>
When the city dropdown is changed an ajax request is sent to execute populateSuburbs method
which populates suburbChoices and finally update the suburbs dropdown. Problem is
populateSuburbs method will not be executed as lifecycle will stop after process validations phase
to jump render response as email input is not provided. Reason is p:ajax has @all as the value
stating to process every component on page but there is no need to process the inputText.
The solution is to define what to process in p:ajax. As we’re just making a city change request, only
processing that should happen is cities dropdown.
416
PrimeFaces Userʼs Guide
<h:form>
<h:selectOneMenu id="cities" value="#{bean.city}">
<f:selectItems value="#{bean.cityChoices}" />
<p:ajax actionListener="#{bean.populateSuburbs}"
event="change" update="suburbs" process="@this"/>
</h:selectOneMenu>
That is it, now populateSuburbs method will be called and suburbs list will be populated. Note that
default value for process option is @this already for p:ajax as stated in AjaxBehavior
documentation, it is explicitly defined here to give a better understanding of how partial processing
works.
4.2.2 Keywords
Keyword Description
Important point to note is, when a component is specified to process partially, children of this
component is processed as well. So for example if you specify a panel, all children of that panel
would be processed in addition to the panel itself.
<p:panel id="panel">
//Children
</p:panel>
Partial Process uses the same technique applied in PPR to specify component identifiers to process.
See section 5.1.2 for more information about how to define ids in process specification using
commas and whitespaces.
417
PrimeFaces Userʼs Guide
5. PrimeFaces Mobile
PrimeFaces Mobile is a separate project with it’s own release cycle and documentation. Please
consult Mobile User’s Guide for more information.
418
PrimeFaces Userʼs Guide
6. PrimeFaces Push
PrimePush enables implementing push based use-cases powered by WebSockets. PushServer and
JSF application are two different applications. Pushed data from JSF app is send to the push server
which is then pushed to all connected clients.
6.1 Setup
Push Server
PrimeFaces Push uses a servlet as a dispatcher. This servlet should be in a different application than
the JSF application and at the moment can only be deployed on jetty server.
<servlet>
<servlet-name>Push Servlet</servlet-name>
<servlet-class>org.primefaces.push.PushServlet</servlet-class>
<load-on-startup>1</load-on-startup>
<init-param>
<param-name>channels</param-name>
<param-value>chat,counter</param-value>
</init-param>
</servlet>
<servlet-mapping>
<servlet-name>Push Servlet</servlet-name>
<url-pattern>/prime-push/*</url-pattern>
</servlet-mapping>
channels configuration defines the topic names that push server can publish to.
URL Configuration
The JSF application needs to define the push server url to send messages.
<context-param>
<param-name>primefaces.PUSH_SERVER_URL</param-name>
<param-value>ws://url_to_push_server</param-value>
</context-param>
419
PrimeFaces Userʼs Guide
/**
* @param channel Unique name of communication channel
* @param data Information to be pushed to the subscribers as json
*/
RequestContext.push(String channel, Object data);
6.4 Samples
6.4.1 Counter
Counter is a global counter where each button click increments the count value and new value is
pushed to all subscribers.
420
PrimeFaces Userʼs Guide
<h:form>
<h:outputText value="#{globalCounter.count}" styleClass=”display”/>
<script type="text/javascript">
function handleMessage(evt, data) {
$('.display').html(data);
}
</script>
When the button is clicked, JSF button invokes the increment method and RequestContext API
forwards the pushed data to the counter channel of the push server, then push server forwards this
data to all subscribers. Finally handleMessage javascript function is called where data parameter is
the new count integer.
6.4.2 Chat
//getters&setters
}
421
PrimeFaces Userʼs Guide
<h:form>
<p:fieldset id="container" legend="PrimeChat">
<h:panelGroup rendered="#{chatController.loggedIn}" >
<p:outputPanel layout="block" style="width:600px;height:200px;overflow:auto"
styleClass="chatContent" />
<p:separator />
<script type="text/javascript">
function handleMessage(evt, data) {
var chatContent = $('.chatContent'); c
hatContent.append(data + '');
PrimeFaces Push currently provides P2P communication and next feature to support is JMS
integration.
422
PrimeFaces Userʼs Guide
7. Javascript API
PrimeFaces renders unobstrusive javascript which cleanly seperates behavior from the html. Client
side engine is powered by jQuery version 1.6.4 which is the latest at the time of the writing.
Method Description
escapeClientId(id) Escaped JSF ids with semi colon to work with jQuery.
To be compatible with other javascript entities on a page, PrimeFaces defines two javascript
namespaces;
PrimeFaces.widget.*
- PrimeFaces.widget.DataTable
- PrimeFaces.widget.Tree
- PrimeFaces.widget.Poll
- and more...
Most of the components have a corresponding client side widget with same name.
PrimeFaces.ajax.*
PrimeFaces.ajax namespace contains the ajax API which is described in next section.
423
PrimeFaces Userʼs Guide
PrimeFaces.ajax.AjaxRequest
Sends ajax requests that execute JSF lifecycle and retrieve partial output. Function signature is as
follows;
PrimeFaces.ajax.AjaxRequest(cfg);
Configuration Options
Option Description
async Flag to define whether request should go in ajax queue or not, default
is false.
onstart() Javascript callback to process before sending the ajax request, return
false to cancel the request.
onsuccess(data, status, xhr, args) Javascript callback to process when ajax request returns with success
code. Takes four arguments, xml response, status code,
xmlhttprequest and optional arguments provided by RequestContent
API.
onerror(xhr, status, exception) Javascript callback to process when ajax request fails. Takes three
arguments, xmlhttprequest, status string and exception thrown if any.
oncomplete(xhr, status, args) Javascript callback to process when ajax request completes. Takes
three arguments, xmlhttprequest, status string and optional arguments
provided by RequestContext API.
424
PrimeFaces Userʼs Guide
Examples
Suppose you have a JSF page called createUser with a simple form and some input components.
<h:form id="userForm">
<h:inputText id="username" value="#{userBean.user.name}" />
... More components
</h:form>
You can post all the information in form with ajax using;
PrimeFaces.ajax.AjaxRequest({
formId:’userForm’
,source:’userForm’
,process:’userForm’
});
PrimeFaces.ajax.AjaxRequest({
formId:’userForm’,
,source:’userForm’
,process:’userForm’
,update:’msgs’
,params:{
‘param_name1’:’value1’,
‘param_name2’:’value2’
}
,oncomplete:function(xhr, status) {alert(‘Done’);}
});
We highly recommend using p:remoteComponent instead of low level javascript api as it generates
the same with much less effort and less possibility to do an error.
PrimeFaces.ajax.AjaxResponse
PrimeFaces.ajax.AjaxResponse updates the specified components if any and synchronizes the client
side JSF state. DOM updates are implemented using jQuery which uses a very fast algorithm.
425
PrimeFaces Userʼs Guide
8. Themes
PrimeFaces is integrated with powerful ThemeRoller CSS Framework. Currently there are 30+ pre-
designed themes that you can preview and download from PrimeFaces theme gallery.
http://www.primefaces.org/themes.html
426
PrimeFaces Userʼs Guide
Download
Each theme is available for manual download at PrimeFaces Theme Gallery. If you are a maven
user, define theme artifact as;
<dependency>
<groupId>org.primefaces.themes</groupId>
<artifactId>cupertino</artifactId>
<version>1.0.2</version>
</dependency>
Configure
<context-param>
<param-name>primefaces.THEME</param-name>
<param-value>aristo</param-value>
</context-param>
That's it, you don't need to manually add any css to your pages or anything else, PrimeFaces will
handle everything for you.
In case you’d like to make the theme dynamic, define an EL expression as the param value.
<context-param>
<param-name>primefaces.THEME</param-name>
<param-value>#{loggedInUser.preferences.theme}</param-value>
</context-param>
427
PrimeFaces Userʼs Guide
Applying your own custom theme is same as applying a pre-built theme however you need to
migrate the downloaded theme files from ThemeRoller to PrimeFaces Theme Infrastructure.
PrimeFaces Theme convention is the integrated way of applying your custom themes to your
project, this approach requires you to create a jar file and add it to the classpath of your application.
Jar file must have the following folder structure. You can have one or more themes in same jar.
- jar
- META-INF
- resources
- primefaces-yourtheme
- theme.css
- images
1) The theme package you've downloaded from ThemeRoller will have a css file and images folder.
Make sure you have “deselect all components” option on download page so that your theme only
includes skinning styles. Extract the contents of the package and rename jquery-ui-
{version}.custom.css to theme.css.
2) Image references in your theme.css must also be converted to an expression that JSF resource
loading can understand, example would be;
url("images/ui-bg_highlight-hard_100_f9f9f9_1x100.png")
should be;
url("#{resource['primefaces-yourtheme:images/ui-bg_highlight-hard_100_f9f9f9_1x100.png']}")
Once the jar of your theme is in classpath, you can use your theme like;
<context-param>
<param-name>primefaces.THEME</param-name>
<param-value>yourtheme</param-value>
</context-param>
428
PrimeFaces Userʼs Guide
Structural CSS
These style classes define the skeleton of the components and include css properties such as margin,
padding, display type, dimensions and positioning.
Skinning CSS
Skinning defines the look and feel properties like colors, border colors, background images.
Skinning Selectors
Selector Applies
These classes are not aware of structural css like margins and paddings, mostly they only define
colors. This clean separation brings great flexibility in theming because you don’t need to know
each and every skinning selectors of components to change their style.
For example Panel component’s header section has the .ui-panel-titlebar structural class, to change
the color of a panel header you don’t need to about this class as .ui-widget-header also that defines
the panel colors also applies to the panel header.
429
PrimeFaces Userʼs Guide
• When creating your own theme with themeroller tool, select one of the pre-designed themes that
is close to the color scheme you want and customize that to save time.
• If you are using Apache Trinidad or JBoss RichFaces, PrimeFaces Theme Gallery includes
Trinidad’s Casablanca and RichFaces’s BlueSky theme. You can use these themes to make
PrimeFaces look like Trinidad or RichFaces components during migration.
• To change the style of a particular component instead of all components of same type use
namespacing, example below demonstrates how to change header of all panels.
.ui-panel-titlebar {
//css
}
or
.ui-paneltitlebar.ui-widget-header {
//css
}
<p:panel styleClass="custom">
...
</p:panel>
.custom .ui-panel-titlebar {
//css
}
430
PrimeFaces Userʼs Guide
9. Utilities
9.1 RequestContext
RequestContext is a simple utility that provides useful goodies such as adding parameters to ajax
callback functions.
RequestContext API
Method Description
Callback Parameters
There may be cases where you need values from backing beans in ajax callbacks. Suppose you have
a form in a p:dialog and when the user ends interaction with form, you need to hide the dialog or if
there’re any validation errors, dialog needs to stay open.
Callback Parameters are serialized to JSON and provided as an argument in ajax callbacks.
<p:commandButton actionListener="#{bean.validate}"
oncomplete="handleComplete(xhr, status, args)" />
431
PrimeFaces Userʼs Guide
<script type="text/javascript">
function handleComplete(xhr, status, args) {
var isValid = args.isValid;
if(isValid)
dialog.hide();
}
</script>
You can add as many callback parameters as you want with addCallbackParam API. Each
parameter is serialized as JSON and accessible through args parameter so pojos are also supported
just like primitive values.
Following example sends a pojo called User that has properties like firstname and lastname to the
client.
<script type="text/javascript">
function handleComplete(xhr, status, args) {
var firstname = args.user.firstname;
var lastname = args.user.lastname;
}
</script>
Default validationFailed
There may be cases where you need to define which component(s) to update at runtime rather than
specifying it declaratively at compile time. addPartialUpdateTarget method is added to handle this
case. In example below, button actionListener decides which part of the page to update on-the-fly.
432
PrimeFaces Userʼs Guide
When the save button is clicked, depending on the outcome, you can either configure the datatable
or the panel to be updated with ajax response.
Execute Javascript
RequestContext provides a way to execute javascript when the ajax request completes, this
approach is easier compared to passing callback params and execute conditional javascript.
Example below hides the dialog when ajax request completes;
433
PrimeFaces Userʼs Guide
9.2 EL Functions
PrimeFaces provides built-in EL extensions that are helpers to common use cases.
Common Functions
Function Description
component(‘id’) Returns clientId of the component with provided server id parameter. This
function is useful if you need to work with javascript.
Component
<h:form id="form1">
<h:inputText id="name" />
</h:form>
WidgetVar
<p:dialog id="dlg">
//contents
</p:dialog>
Page Authorization
Function Description
ifGranted(String role) Returns a boolean value if user has given role or not.
ifAllGranted(String roles) Returns a boolean value if has all of the given roles or not.
ifAnyGranted(String roles) Returns a boolean value if has any of the given roles or not.
ifNotGranted(String roles) Returns a boolean value if has all of the given roles or not.
434
PrimeFaces Userʼs Guide
435
PrimeFaces Userʼs Guide
10. Portlets
PrimeFaces supports portlet environments based on JSF 2 and Portlet 2 APIs. A portlet bridge is
necessary to run a JSF application as a portlet and we've tested the bridge from portletfaces project.
A kickstart example is available at PrimeFaces examples repository;
http://primefaces.googlecode.com/svn/examples/trunk/prime-portlet
10.1 Dependencies
Only necessary dependency compared to a regular PrimeFaces application is the JSF bridge, 2.0.1 is
the latest version of portletfaces at the time of writing. Here's maven dependencies configuration
from portlet sample.
<dependencies>
<dependency>
<groupId>javax.faces</groupId>
<artifactId>jsf-api</artifactId>
<version>2.0</version>
</dependency>
<dependency>
<groupId>com.sun.faces</groupId>
<artifactId>jsf-impl</artifactId>
<version>2.0.4-b09</version>
</dependency>
<dependency>
<groupId>org.primefaces</groupId>
<artifactId>primefaces</artifactId>
<version>2.2</version>
</dependency>
<dependency>
<groupId>javax.portlet</groupId>
<artifactId>portlet-api</artifactId>
<version>2.0</version>
<scope>provided</scope>
</dependency>
<dependency>
<groupId>org.portletfaces</groupId>
<artifactId>portletfaces-bridge</artifactId>
<version>2.0.1</version>
</dependency>
</dependencies>
436
PrimeFaces Userʼs Guide
10.2 Configuration
portlet.xml
Portlet configuration file should be located under WEB-INF folder. This portlet has two modes,
view and edit.
<?xml version="1.0"?>
<portlet-app xmlns="http://java.sun.com/xml/ns/portlet/portlet-app_2_0.xsd"
version="2.0"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://java.sun.com/xml/ns/portlet/portlet-app_2_0.xsd
http://java.sun.com/xml/ns/portlet/portlet-app_2_0.xsd">
<portlet>
<portlet-name>1</portlet-name>
<display-name>PrimeFaces Portlet</display-name>
<portlet-class>org.portletfaces.bridge.GenericFacesPortlet</portlet-class>
<init-param>
<name>javax.portlet.faces.defaultViewId.view</name>
<value>/view.xhtml</value>
</init-param>
<init-param>
<name>javax.portlet.faces.defaultViewId.edit</name>
<value>/edit.xhtml</value>
</init-param>
<supports>
<mime-type>text/html</mime-type>
<portlet-mode>view</portlet-mode>
<portlet-mode>edit</portlet-mode>
</supports>
<portlet-info>
<title>PrimeFaces Portlet</title>
<short-title>PrimeFaces Portlet</short-title>
<keywords>JSF 2.0</keywords>
</portlet-info>
</portlet>
</portlet-app>
web.xml
437
PrimeFaces Userʼs Guide
faces-config.xml
</faces-config>
liferay-portlet.xml
<?xml version="1.0"?>
<liferay-portlet-app>
<portlet>
<portlet-name>1</portlet-name>
<instanceable>true</instanceable>
<ajaxable>false</ajaxable>
</portlet>
</liferay-portlet-app>
liferay-display.xml
Display configuration is used to define the location of your portlet in liferay menu.
<?xml version="1.0"?>
<!DOCTYPE display PUBLIC "-//Liferay//DTD Display 5.1.0//EN" "http://www.liferay.com/
dtd/liferay-display_5_1_0.dtd">
<display>
<category name="category.sample">
<portlet id="1" />
</category>
</display>
Pages
That is it for the configuration, a sample portlet page is a partial version of the regular page to
provide only the content without html and body tags.
438
PrimeFaces Userʼs Guide
edit.xhtml
<f:view xmlns="http://www.w3.org/1999/xhtml"
xmlns:h="http://java.sun.com/jsf/html"
xmlns:f="http://java.sun.com/jsf/core"
xmlns:ui="http://java.sun.com/jsf/facelets"
xmlns:p="http://primefaces.prime.com.tr/ui">
<h:head></h:head>
<h:form>
<f:facet name="header">
<p:messages id="messages" />
</f:facet>
<p:commandButton value="RED"
actionListener="#{gambitController.playRed}" update="@parent" />
<p:commandButton value="BLACK"
actionListener="#{gambitController.playBlack}" update="@parent" />
</h:panelGrid>
</h:form>
</f:view>
439
PrimeFaces Userʼs Guide
We’ve created sample applications to demonstrate several technology stacks involving PrimeFaces
and JSF at the front layer. Source codes of these applications are available at the PrimeFaces
subversion repository and they’re deployed online time to time.
Spring WebFlow
We as PrimeFaces team work closely with Spring WebFlow team, PrimeFaces is suggested by
SpringSource as the preferred JSF component suite for SWF applications. SpringSource repository
has two samples based on SWF-PrimeFaces; a small showcase and booking-faces example.
Spring ROO
https://jira.springsource.org/browse/ROO-516
440
PrimeFaces Userʼs Guide
441
PrimeFaces Userʼs Guide
PrimeFaces and NetBeans teams are in communication to discuss the next step of PrimeFaces
integration in NetBeans at the time of writing.
12.2 Eclipse
Code completion works out of the box for Eclipse when JSF facet is enabled.
442
PrimeFaces Userʼs Guide
This guide is the main resource for documentation, for additional documentation like apidocs, taglib
docs, wiki and more please visit;
http://www.primefaces.org/documentation.html
Support Forum
PrimeFaces discussions take place at the support forum. Forum is public to everyone and
registration is required to do a post.
http://forum.primefaces.org
Source Code
http://code.google.com/p/primefaces/source/
Issue Tracker
PrimeFaces issue tracker uses google code’s issue management system. Please use the forum before
creating an issue instead.
http://code.google.com/p/primefaces/issues/list
WIKI
http://wiki.primefaces.org
Social Networks
You can follow PrimeFaces on twitter using @primefaces and join the Facebook group.
443
PrimeFaces Userʼs Guide
14. FAQ
1. Who develops PrimeFaces?
PrimeFaces is developed and maintained by Prime Teknoloji, a Turkish software development
company specialized in Agile Software Development, JSF and Java EE.
5. Some components like charts do not work in Safari or Chrome but there’s no problem with
Firefox.
The common reason is the response mimeType when using with PrimeFaces. You need to make
sure responseType is "text/html". You can use the <f:view contentType="text/html"> to enforce this.
444
PrimeFaces Userʼs Guide
THE END
445