我正在使用 Spring 3.2.0。我已经为一些基本需求注册了一些自定义属性编辑器,如下所示。
import editors.DateTimeEditor;
import editors.StrictNumberFormatEditor;
import java.math.RoundingMode;
import java.net.URL;
import java.text.DecimalFormat;
import java.text.NumberFormat;
import org.joda.time.DateTime;
import org.springframework.beans.propertyeditors.StringTrimmerEditor;
import org.springframework.beans.propertyeditors.URLEditor;
import org.springframework.web.bind.WebDataBinder;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.InitBinder;
import org.springframework.web.context.request.WebRequest;
@ControllerAdvice
public final class GlobalDataBinder
{
@InitBinder
public void initBinder(WebDataBinder binder, WebRequest request)
{
binder.setIgnoreInvalidFields(true);
binder.setIgnoreUnknownFields(true);
//binder.setAllowedFields(someArray);
NumberFormat numberFormat=DecimalFormat.getInstance();
numberFormat.setGroupingUsed(false);
numberFormat.setMaximumFractionDigits(2);
numberFormat.setRoundingMode(RoundingMode.HALF_UP);
binder.registerCustomEditor(DateTime.class, new DateTimeEditor("MM/dd/yyyy HH:mm:ss", true));
binder.registerCustomEditor(Double.class, new StrictNumberFormatEditor(Double.class, numberFormat, true));
binder.registerCustomEditor(String.class, new StringTrimmerEditor(true));
binder.registerCustomEditor(URL.class, new URLEditor());
}
}
到目前为止,我已经注册了这么多编辑。DateTimeEditor
其中两个StrictNumberFormatEditor
已通过覆盖各自的方法进行自定义,以满足数字格式和Joda-Time的自定义需求。
由于我使用的是 Spring 3.2.0,因此我可以利用@ControllerAdvice
.
Spring 建议使用该方法列出一组允许的字段,setAllowedFields()
以便恶意用户无法将值注入绑定对象。
从关于_DataBinder
允许在目标对象上设置属性值的绑定器,包括对验证和绑定结果分析的支持。可以通过指定允许字段、必填字段、自定义编辑器等来自定义绑定过程。
请注意,未能设置允许的字段数组可能会带来安全隐患。例如,在 HTTP 表单 POST 数据的情况下,恶意客户端可以尝试通过提供表单上不存在的字段或属性的值来破坏应用程序。在某些情况下,这可能会导致在命令对象或其嵌套对象上设置非法数据。因此,强烈建议
allowedFields
在 DataBinder 上指定属性。
我有一个很大的应用程序,显然有数千个领域。用 指定和列出所有这些setAllowedFields()
是一项乏味的工作。此外,不知何故我需要记住它们。
根据需要更改网页以删除某些字段或添加其他字段需要修改setAllowedFields()
方法的参数值以反映这些更改。
有没有其他选择?