在Struts 2中,可以使用<s:checkboxlist>标记创建多个具有相同名称的复选框。 唯一需要关注的是如何将多个检查值保存在变量中? 例如,
public List<String> getColors() {
colors = new ArrayList<String>();
colors.add("red");
colors.add("yellow");
colors.add("blue");
colors.add("green");
return colors;
}
<s:checkboxlist label="What's your favor color" list="colors"
name="yourColor" value="defaultColor" />
具有“红色”,“黄色”,“蓝色”和“绿色”选项的多个复选框。 如果选中了多个选项,则可以通过String对象将其存储。
例如,如果选中“ red”和“ yellow”选项,则选中的值将与逗号结合, yourColor =“ red,yellow” 。
private String yourColor;
public void setYourColor(String yourColor) {
this.yourColor = yourColor;
}
Struts 2 <s:checkboxlist>示例
一个完整的Struts 2示例,可以通过<s:checkboxlist>创建多个具有相同名称的复选框 ,并存储选中的值并将其显示在另一个页面中。
1.行动
生成并保存多个复选框值的动作类。
CheckBoxListAction.java
package com.mkyong.common.action;
import java.util.ArrayList;
import java.util.List;
import com.opensymphony.xwork2.ActionSupport;
public class CheckBoxListAction extends ActionSupport{
private List<String> colors;
private String yourColor;
public String getYourColor() {
return yourColor;
}
public void setYourColor(String yourColor) {
this.yourColor = yourColor;
}
public CheckBoxListAction(){
colors = new ArrayList<String>();
colors.add("red");
colors.add("yellow");
colors.add("blue");
colors.add("green");
}
public String[] getDefaultColor(){
return new String [] {"red", "green"};
}
public List<String> getColors() {
return colors;
}
public void setColors(List<String> colors) {
this.colors = colors;
}
public String execute() {
return SUCCESS;
}
public String display() {
return NONE;
}
}
2.结果页面
通过“ s:checkboxlist ”标签渲染多个复选框。
checkBoxlist.jsp
<%@ taglib prefix="s" uri="/struts-tags" %>
<html>
<head>
</head>
<body>
<h1>Struts 2 multiple check boxes example</h1>
<s:form action="resultAction" namespace="/">
<h2>
<s:checkboxlist label="What's your favor color" list="colors"
name="yourColor" value="defaultColor" />
</h2>
<s:submit value="submit" name="submit" />
</s:form>
</body>
</html>
result.jsp
<%@ taglib prefix="s" uri="/struts-tags" %>
<html>
<body>
<h1>Struts 2 multiple check boxes example</h1>
<h2>
Favor colors : <s:property value="yourColor"/>
</h2>
</body>
</html>
3. struts.xml
链接在一起〜
<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE struts PUBLIC
"-//Apache Software Foundation//DTD Struts Configuration 2.0//EN"
"http://struts.apache.org/dtds/struts-2.0.dtd">
<struts>
<constant name="struts.devMode" value="true" />
<package name="default" namespace="/" extends="struts-default">
<action name="checkBoxListAction"
class="com.mkyong.common.action.CheckBoxListAction" method="display">
<result name="none">pages/checkBoxlist.jsp</result>
</action>
<action name="resultAction" class="com.mkyong.common.action.CheckBoxListAction">
<result name="success">pages/result.jsp</result>
</action>
</package>
</struts>
5.演示
http:// localhost:8080 / Struts2Example / checkBoxListAction.action
http:// localhost:8080 / Struts2Example / resultAction.action
参考
翻译自: https://mkyong.com/struts2/struts-2-scheckboxlist-multiple-check-boxes-example/