私はJSF 2.0を使用していますが、selectOneMenuにEnumの値を入力します。簡単な例:
// Sample Enum
public enum Gender {
MALE("Male"),
FEMALE("Female");
private final String label;
private Gender(String label) {
this.label = label;
}
public String getLabel() {
return this.label;
}
}
残念ながら、現在のプロジェクトにはSeamを使用できません。これにはNice <s:convertEnum/>
ほとんどの作業を行ったタグ。 Seamでは、Enumの値を使用するには、次のマークアップを記述する必要がありました(そして、#{genderValues}
:
<!-- the Seam way -->
<h:selectOneMenu id="persongender" value="#{person.gender}">
<s:selectItems var="_gender" value="#{genderValues}"" label="#{_gender.label}"/>
<s:convertEnum/>
</h:selectOneMenu>
その結果、マークアップ内でEnum値を明示的に宣言する必要がなくなりました。これはJSF <2.0では非常に簡単ではないことを知っていますが、JSF2でこの問題を解決する新しい機能はありますか?または、Weldは何とかここで助けますか? JSF2に新しいものがない場合、JSF 1.2でそれを行う最も簡単な方法は何ですか?
または、Seam JSFタグとSeamの対応するクラスを統合して、JavaEE6-App(Seamコンテナなし)で同じ機能を取得することもできますか?
最後に、次の方法があります。-faces-config.xmlに標準の列挙型コンバーターを登録します(オプション):
<converter>
<converter-for-class>Java.lang.Enum</converter-for-class>
<converter-class>javax.faces.convert.EnumConverter</converter-class>
</converter>
たとえば、Enum値をSelectItemの配列に変換するマネージドBeanに関数を追加します。
@ManagedBean
public class GenderBean {
public SelectItem[] getGenderValues() {
SelectItem[] items = new SelectItem[Gender.values().length];
int i = 0;
for(Gender g: Gender.values()) {
items[i++] = new SelectItem(g, g.getLabel());
}
return items;
}
}
次に、この関数をJSFのselectOneMenuにバインドします。
<h:selectOneMenu id="gender" value="#{person.gender}">
<!-- use property name not method name -->
<f:selectItems value="#{genderBean.genderValues}" />
</h:selectOneMenu>
それでおしまい!ネット上のこの問題の最初の説明ではありません。しかし、私はそれが最も簡単で最短のものだと思う;)
私自身のSeamの例を少し見てから、次のようなマネージドBeanでメソッドを作成しました。
@ManagedBean
public class MyManagedBean {
public Gender[] getGenderValues() {
return Gender.values;
}
}
そして、マークアップに
<h:selectOneMenu id="gender" value="#{person.gender}">
<f:selectItems value="#{myManagedBean.genderValues}" var="g"
itemValue="#{g}" itemLabel="#{g.label}"/>
</h:selectOneMenu>
ここで、フォームの送信時にenum
がエンティティに正しく保存されているかどうかを確認する必要があります。自分でこれを実行できるかどうかを確認します-とにかく、これに関するヒントやベストプラクティスに感謝します!
単純なゲッターとセッターを使用して文字列を列挙型にマーシャリングする、より簡単なメソッドを次に示します。
しばらく前にこの問題に遭遇し、あなたがしたようにそれを解決しましたが、文字列がenumクラスでハードコードされていたため、そのソリューションではi18nを使用できないことに気づきました。そこで、レンダリングにmessages
を使用するようにenumConverterを変更しました。
また、いくつかのコンポーネント内での内部使用のために、ユーザーが読み取り可能なテキストとしてではなく、一意の識別子として列挙型をレンダリングしたい場合があります。
これは私のコンバーターです:
import Java.util.ResourceBundle;
/*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.Apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
*/
import javax.faces.component.UIComponent;
import javax.faces.component.UIInput;
import javax.faces.context.FacesContext;
import javax.faces.convert.Converter;
import javax.faces.convert.ConverterException;
import com.eyeprevent.configuration.ConfigurationReader;
/**
* converts an enum in a way that makes the conversion reversible (sometimes)
* <ul>
* <li>input: uses its classname and ordinal, reversible<li>
* <li>else: uses its name, non reversible<li>
* </ul>
*/
public class EnumConverter implements Converter
{
@SuppressWarnings("unchecked")
public Object getAsObject(FacesContext context, UIComponent component, String value) throws ConverterException
{
if (value == null || value.length() < 1)
{
return null;
}
int pos = value.indexOf('@');
if (pos < 0)
{
throw new IllegalArgumentException(value + " do not point to an enum");
}
String className = value.substring(0, pos);
Class clazz;
int ordinal = Integer.parseInt(value.substring(pos+1), 10);
try
{
clazz = Class.forName( className, true, Thread.currentThread().getContextClassLoader() );
// if the clazz is not an enum it might be an enum which is inherited. In this case try to find the superclass.
while (clazz != null && !clazz.isEnum())
{
clazz = clazz.getSuperclass();
}
if (clazz == null)
{
throw new IllegalArgumentException("class " + className + " couldn't be treated as enum");
}
Enum[] enums = (Enum[]) clazz.getEnumConstants();
if (enums.length >= ordinal)
{
return enums[ordinal];
}
}
catch (ClassNotFoundException e1)
{
throw new RuntimeException(e1);
}
throw new IllegalArgumentException("ordinal " + ordinal + " not found in enum " + clazz);
}
public String getAsString(FacesContext context, UIComponent component, Object value) throws ConverterException
{
if (value == null)
{
return "";
}
Enum<?> e = (Enum<?>) value;
if (component instanceof UIInput || UIInput.COMPONENT_FAMILY.equals(component.getFamily()))
{
return e.getClass().getName() + "@" + Integer.toString(e.ordinal(), 10);
}
ResourceBundle messages =ConfigurationReader.getMessages(context.getViewRoot().getLocale());
return messages.getString(e.name());
}
}
私はこの単純なアプローチを使用します。非常に楽観的であり、自分の目的に合わせてカスタマイズできます。次のコードを再利用可能なBeanに配置します。これは、いつでもアプリケーションから呼び出すことができるため、パッケージで宣言されている列挙型を使用できます。
public List<String> fromEnum(String cname) {
List<String> names = new ArrayList<>();
try {
Class c = Class.forName(cname);
Object[] r = c.getEnumConstants();
if (r != null) {
for (Object o : r) {
names.add(o.toString());
}
}
} catch (ClassNotFoundException ex) {
FaceUtil.ShowError(ex);
}
return names;
}
public static void ShowError(Exception ex) {
FacesMessage msg=new FacesMessage(FacesMessage.SEVERITY_ERROR,ex.getMessage(),"Error Message");
FacesContext.getCurrentInstance().addMessage(null, msg);
}
次に、次のようにxhtmlファイルで使用します。
<p:selectOneMenu value="#{jobapp.aplicant.marital}">
<f:selectItems value="#{rtutil.fromEnum('com.company.package.enMarital')}" var="m" itemLabel="#{m}" itemValue="#{m}"/>
</p:selectOneMenu>