struts2 模型驱动要注意的一个问题

本贴最后更新于 3550 天前,其中的信息可能已经时移世异

先来说一下模型驱动,在struts2的默认拦截器栈struts-default包中有一个 ModelDriverInterceptor拦截器,如果有我们的action实现ModerDriver接口,即可实现模型驱动。action如下代码

public abstract class BaseAction<T> extends ActionSupport implements ModelDriven<T>,SessionAware,ServletRequestAware{

/** model 的支持 */
protected T model;

public void setModel(T model) {
	this.model = model;
}

public BaseAction() {
	ParameterizedType genericSuperclass = (ParameterizedType) this.getClass().getGenericSuperclass();
	Class&lt;T&gt; clazz=(Class&lt;T&gt;) (genericSuperclass.getActualTypeArguments()[0]);
	try {
		model=clazz.newInstance();
		log.info(&quot;BaseAction model:&quot;+model);
	} catch (Exception e) {
		//throw new RuntimeException(e);
	}
	
	
}

@Override
public T getModel() {
	return model;
}<br />//部分代码省略<br />}</pre>

从代码上看,每次都new了一个对象, 如果我们用 XXXService.update(model)的话,会将空值、默认值也会更新进去,显示这不是我们想要的。
,可以采用这一种方式:先通过id查找到这个对象,然后将model的非空属性赋值给这个对象,最后更新对象。

public String edit() throws Exception {        
        log.info("修改用户:"+model);
        User u=userService.getById(model.getId());        
        if (StrUtils.notNull(model.getPassword())) {
            model.setPassword(DigestUtils.md5Hex(model.getPassword()));
        }
        BeanUtils.copyNotNullProperties(model, u);
        userService.update(u);

//省略部分代码...

}

最后上一个BeanUtils工具类:

package core.utils;

import java.beans.PropertyDescriptor;
import java.lang.reflect.Field;
import java.lang.reflect.InvocationTargetException;
import java.lang.reflect.Method;
import java.lang.reflect.Modifier;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collection;
import java.util.List;
import java.util.Map;
import java.util.Set;

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.BeansException;
import org.springframework.beans.FatalBeanException;
import org.springframework.util.Assert;

/**

  • 扩展 spring 的 BeanUtils,增加拷贝属性排除 null 值的功能(注:String 为 null 不考虑)
  • 扩展 Apache Commons BeanUtils, 提供一些反射方面缺失功能的封装.
  • @author shollin

/
public class BeanUtils extends org.springframework.beans.BeanUtils {
/
* logger. */
private static Logger logger = LoggerFactory.getLogger(BeanUtils.class);

 /** getter prefix length. */

public static final int LENGTH_GETTER_PREFIX = "get".length();

/** 保护的构造方法. */
protected BeanUtils() {
}

public static void copyNotNullProperties(Object source, Object target, String[] ignoreProperties) throws BeansException {
	copyNotNullProperties(source, target, null, ignoreProperties);
}

public static void copyNotNullProperties(Object source, Object target, Class&lt;?&gt; editable) throws BeansException {
	copyNotNullProperties(source, target, editable, null);
}

public static void copyNotNullProperties(Object source, Object target) throws BeansException {
	copyNotNullProperties(source, target, null, null);
}

private static void copyNotNullProperties(Object source, Object target, Class&lt;?&gt; editable, String[] ignoreProperties) throws BeansException {

	Assert.notNull(source, &quot;Source must not be null&quot;);
	Assert.notNull(target, &quot;Target must not be null&quot;);

	Class&lt;?&gt; actualEditable = target.getClass();
	if (editable != null) {
		if (!editable.isInstance(target)) {
			throw new IllegalArgumentException(&quot;Target class [&quot; + target.getClass().getName() + &quot;] not assignable to Editable class [&quot; + editable.getName() + &quot;]&quot;);
		}
		actualEditable = editable;
	}
	PropertyDescriptor[] targetPds = getPropertyDescriptors(actualEditable);
	List&lt;String&gt; ignoreList = (ignoreProperties != null) ? Arrays.asList(ignoreProperties) : null;

	for (PropertyDescriptor targetPd : targetPds) {
		if (targetPd.getWriteMethod() != null &amp;&amp; (ignoreProperties == null || (!ignoreList.contains(targetPd.getName())))) {
			PropertyDescriptor sourcePd = getPropertyDescriptor(source.getClass(), targetPd.getName());
			if (sourcePd != null &amp;&amp; sourcePd.getReadMethod() != null) {
				try {
					Method readMethod = sourcePd.getReadMethod();
					if (!Modifier.isPublic(readMethod.getDeclaringClass().getModifiers())) {
						readMethod.setAccessible(true);
					}
					Object value = readMethod.invoke(source);
					if (value != null || readMethod.getReturnType().getName().equals(&quot;java.lang.String&quot;)) {// 这里判断以下value是否为空,当然这里也能进行一些特殊要求的处理 例如绑定时格式转换等等,如果是String类型,则不需要验证是否为空
						boolean isEmpty = false;
						if (value instanceof Set) {
							Set s = (Set) value;
							if (s == null || s.isEmpty()) {
								isEmpty = true;
							}
						} else if (value instanceof Map) {
							Map m = (Map) value;
							if (m == null || m.isEmpty()) {
								isEmpty = true;
							}
						} else if (value instanceof List) {
							List l = (List) value;
							if (l == null || l.size() &lt; 1) {
								isEmpty = true;
							}
						} else if (value instanceof Collection) {
							Collection c = (Collection) value;
							if (c == null || c.size() &lt; 1) {
								isEmpty = true;
							}
						}
						if (!isEmpty) {
							Method writeMethod = targetPd.getWriteMethod();
							if (!Modifier.isPublic(writeMethod.getDeclaringClass().getModifiers())) {
								writeMethod.setAccessible(true);
							}
							writeMethod.invoke(target, value);
						}
					}
				} catch (Throwable ex) {
					throw new FatalBeanException(&quot;Could not copy properties from source to target&quot;, ex);
				}
			}
		}
	}
}
/**
 * 循环向上转型,获取对象的DeclaredField.
 * 
 * @param object
 *            对象实例
 * @param propertyName
 *            属性名
 * @return 返回对应的Field
 * @throws NoSuchFieldException
 *             如果没有该Field时抛出
 */
public static Field getDeclaredField(Object object, String propertyName)
        throws NoSuchFieldException {
    Assert.notNull(object);
    Assert.hasText(propertyName);

    return getDeclaredField(object.getClass(), propertyName);
}

/**
 * 循环向上转型,获取对象的DeclaredField.
 * 
 * @param clazz
 *            类型
 * @param propertyName
 *            属性名
 * @return 返回对应的Field
 * @throws NoSuchFieldException
 *             如果没有该Field时抛出.
 */
public static Field getDeclaredField(Class clazz, String propertyName)
        throws NoSuchFieldException {
    Assert.notNull(clazz);
    Assert.hasText(propertyName);

    for (Class superClass = clazz; superClass != Object.class; superClass = superClass
            .getSuperclass()) {
        try {
            return superClass.getDeclaredField(propertyName);
        } catch (NoSuchFieldException ex) {
            // Field不在当前类定义,继续向上转型
            logger.debug(ex.getMessage(), ex);
        }
    }

    throw new NoSuchFieldException(&quot;No such field: &quot; + clazz.getName()
            + '.' + propertyName);
}

/**
 * 暴力获取对象变量值,忽略private,protected修饰符的限制.
 * 
 * @param object
 *            对象实例
 * @param propertyName
 *            属性名
 * @return 强制获得属性值
 * @throws NoSuchFieldException
 *             如果没有该Field时抛出.
 */
public static Object forceGetProperty(Object object, String propertyName)
        throws NoSuchFieldException, IllegalAccessException {
    return getFieldValue(object, propertyName, true);
}

public static Object safeGetFieldValue(Object object, String fieldName) {
    return safeGetFieldValue(object, fieldName, true);
}

public static Object safeGetFieldValue(Object object, String fieldName,
        boolean targetAccessible) {
    try {
        return getFieldValue(object, fieldName, targetAccessible);
    } catch (NoSuchFieldException ex) {
        logger.warn(&quot;&quot;, ex);
    } catch (IllegalAccessException ex) {
        logger.warn(&quot;&quot;, ex);
    }

    return null;
}

public static Object getFieldValue(Object object, String fieldName)
        throws NoSuchFieldException, IllegalAccessException {
    return getFieldValue(object, fieldName, false);
}

public static Object getFieldValue(Object object, String fieldName,
        boolean targetAccessible) throws NoSuchFieldException,
        IllegalAccessException {
    Assert.notNull(object);
    Assert.hasText(fieldName);

    Field field = getDeclaredField(object, fieldName);

    boolean accessible = field.isAccessible();
    field.setAccessible(targetAccessible);

    Object result = field.get(object);

    field.setAccessible(accessible);

    return result;
}

/**
 * 暴力设置对象变量值,忽略private,protected修饰符的限制.
 * 
 * @param object
 *            对象实例
 * @param propertyName
 *            属性名
 * @param newValue
 *            赋予的属性值
 * @throws NoSuchFieldException
 *             如果没有该Field时抛出.
 */
public static void forceSetProperty(Object object, String propertyName,
        Object newValue) throws NoSuchFieldException,
        IllegalAccessException {
    setFieldValue(object, propertyName, newValue, true);
}

public static void safeSetFieldValue(Object object, String fieldName,
        Object newValue) {
    safeSetFieldValue(object, fieldName, newValue, true);
}

public static void safeSetFieldValue(Object object, String fieldName,
        Object newValue, boolean targetAccessible) {
    try {
        setFieldValue(object, fieldName, newValue, targetAccessible);
    } catch (NoSuchFieldException ex) {
        logger.warn(&quot;&quot;, ex);
    } catch (IllegalAccessException ex) {
        logger.warn(&quot;&quot;, ex);
    }
}

public static void setFieldValue(Object object, String propertyName,
        Object newValue, boolean targetAccessible)
        throws NoSuchFieldException, IllegalAccessException {
    Assert.notNull(object);
    Assert.hasText(propertyName);

    Field field = getDeclaredField(object, propertyName);

    boolean accessible = field.isAccessible();
    field.setAccessible(targetAccessible);

    field.set(object, newValue);

    field.setAccessible(accessible);
}

/**
 * 暴力调用对象函数,忽略private,protected修饰符的限制.
 * 
 * @param object
 *            对象实例
 * @param methodName
 *            方法名
 * @param params
 *            方法参数
 * @return Object 方法调用返回的结果对象
 * @throws NoSuchMethodException
 *             如果没有该Method时抛出.
 */
public static Object invokePrivateMethod(Object object, String methodName,
        Object... params) throws NoSuchMethodException,
        IllegalAccessException, InvocationTargetException {
    return invokeMethod(object, methodName, true, params);
}

public static Object safeInvokeMethod(Object object, Method method,
        Object... params) {
    try {
        return method.invoke(object, params);
    } catch (IllegalAccessException ex) {
        logger.warn(&quot;&quot;, ex);
    } catch (InvocationTargetException ex) {
        logger.warn(&quot;&quot;, ex);
    }

    return null;
}

public static Object safeInvokeMethod(Object object, String methodName,
        Object... params) {
    try {
        return invokeMethod(object, methodName, params);
    } catch (NoSuchMethodException ex) {
        logger.warn(&quot;&quot;, ex);
    } catch (IllegalAccessException ex) {
        logger.warn(&quot;&quot;, ex);
    } catch (InvocationTargetException ex) {
        logger.warn(&quot;&quot;, ex);
    }

    return null;
}

public static Object invokeMethod(Object object, String methodName,
        Object... params) throws NoSuchMethodException,
        IllegalAccessException, InvocationTargetException {
    return invokeMethod(object, methodName, false, params);
}

public static Object invokeMethod(Object object, String methodName,
        boolean targetAccessible, Object... params)
        throws NoSuchMethodException, IllegalAccessException,
        InvocationTargetException {
    Assert.notNull(object);
    Assert.hasText(methodName);

    Class[] types = new Class[params.length];

    for (int i = 0; i &lt; params.length; i++) {
        types[i] = params[i].getClass();
    }

    Class clazz = object.getClass();
    Method method = null;

    for (Class superClass = clazz; superClass != Object.class; superClass = superClass
            .getSuperclass()) {
        try {
            method = superClass.getDeclaredMethod(methodName, types);

            break;
        } catch (NoSuchMethodException ex) {
            // 方法不在当前类定义,继续向上转型
            logger.debug(ex.getMessage(), ex);
        }
    }

    if (method == null) {
        throw new NoSuchMethodException(&quot;No Such Method : &quot;
                + clazz.getSimpleName() + &quot;.&quot; + methodName
                + Arrays.asList(types));
    }

    boolean accessible = method.isAccessible();
    method.setAccessible(targetAccessible);

    Object result = method.invoke(object, params);

    method.setAccessible(accessible);

    return result;
}

/**
 * 按Field的类型取得Field列表.
 * 
 * @param object
 *            对象实例
 * @param type
 *            类型
 * @return 属性对象列表
 */
public static List&lt;Field&gt; getFieldsByType(Object object, Class type) {
    List&lt;Field&gt; list = new ArrayList&lt;Field&gt;();
    Field[] fields = object.getClass().getDeclaredFields();

    for (Field field : fields) {
        if (field.getType().isAssignableFrom(type)) {
            list.add(field);
        }
    }

    return list;
}

/**
 * 按FieldName获得Field的类型.
 * 
 * @param type
 *            类型
 * @param name
 *            属性名
 * @return 属性的类型
 * @throws NoSuchFieldException
 *             指定属性不存在时,抛出异常
 */
public static Class getPropertyType(Class type, String name)
        throws NoSuchFieldException {
    return getDeclaredField(type, name).getType();
}

/**
 * 获得field的getter函数名称.
 * 
 * @param type
 *            类型
 * @param fieldName
 *            属性名
 * @return getter方法名
 * @throws NoSuchFieldException
 *             field不存在时抛出异常
 * 
 * @todo: 使用reflectUtils里的方法更合适,这里的实现方式,必须先有field才能有method,逻辑上有问题 实际上,即使没有field也可以单独有method。
 */
public static String getGetterName(Class type, String fieldName)
        throws NoSuchFieldException {
    Assert.notNull(type, &quot;Type required&quot;);
    Assert.hasText(fieldName, &quot;FieldName required&quot;);

    Class fieldType = getDeclaredField(type, fieldName).getType();

    if ((fieldType == boolean.class) || (fieldType == Boolean.class)) {
        return &quot;is&quot; + StrUtils.capitalize(fieldName);
    } else {
        return &quot;get&quot; + StrUtils.capitalize(fieldName);
    }
}

/**
 * 获得field的getter函数,如果找不到该方法,返回null.
 * 
 * @param type
 *            类型
 * @param fieldName
 *            属性名
 * @return getter方法对象
 */
public static Method getGetterMethod(Class type, String fieldName) {
    try {
        return type.getMethod(getGetterName(type, fieldName));
    } catch (NoSuchMethodException ex) {
        logger.error(ex.getMessage(), ex);
    } catch (NoSuchFieldException ex) {
        logger.error(ex.getMessage(), ex);
    }

    return null;
}

public static String getFieldName(String methodName) {
    String fieldName = methodName.substring(LENGTH_GETTER_PREFIX);

    return fieldName.substring(0, 1).toLowerCase() + fieldName.substring(1);
}

}

 

 

  • Struts2
    13 引用 • 14 回帖 • 1 关注

相关帖子

欢迎来到这里!

我们正在构建一个小众社区,大家在这里相互信任,以平等 • 自由 • 奔放的价值观进行分享交流。最终,希望大家能够找到与自己志同道合的伙伴,共同成长。

注册 关于
请输入回帖内容 ...

推荐标签 标签

  • OnlyOffice
    4 引用 • 2 关注
  • Logseq

    Logseq 是一个隐私优先、开源的知识库工具。

    Logseq is a joyful, open-source outliner that works on top of local plain-text Markdown and Org-mode files. Use it to write, organize and share your thoughts, keep your to-do list, and build your own digital garden.

    6 引用 • 63 回帖
  • SSL

    SSL(Secure Sockets Layer 安全套接层),及其继任者传输层安全(Transport Layer Security,TLS)是为网络通信提供安全及数据完整性的一种安全协议。TLS 与 SSL 在传输层对网络连接进行加密。

    70 引用 • 193 回帖 • 431 关注
  • etcd

    etcd 是一个分布式、高可用的 key-value 数据存储,专门用于在分布式系统中保存关键数据。

    5 引用 • 26 回帖 • 529 关注
  • SEO

    发布对别人有帮助的原创内容是最好的 SEO 方式。

    35 引用 • 200 回帖 • 22 关注
  • FreeMarker

    FreeMarker 是一款好用且功能强大的 Java 模版引擎。

    23 引用 • 20 回帖 • 462 关注
  • 互联网

    互联网(Internet),又称网际网络,或音译因特网、英特网。互联网始于 1969 年美国的阿帕网,是网络与网络之间所串连成的庞大网络,这些网络以一组通用的协议相连,形成逻辑上的单一巨大国际网络。

    98 引用 • 344 回帖
  • Sandbox

    如果帖子标签含有 Sandbox ,则该帖子会被视为“测试帖”,主要用于测试社区功能,排查 bug 等,该标签下内容不定期进行清理。

    407 引用 • 1246 回帖 • 582 关注
  • JVM

    JVM(Java Virtual Machine)Java 虚拟机是一个微型操作系统,有自己的硬件构架体系,还有相应的指令系统。能够识别 Java 独特的 .class 文件(字节码),能够将这些文件中的信息读取出来,使得 Java 程序只需要生成 Java 虚拟机上的字节码后就能在不同操作系统平台上进行运行。

    180 引用 • 120 回帖
  • Java

    Java 是一种可以撰写跨平台应用软件的面向对象的程序设计语言,是由 Sun Microsystems 公司于 1995 年 5 月推出的。Java 技术具有卓越的通用性、高效性、平台移植性和安全性。

    3187 引用 • 8213 回帖
  • 禅道

    禅道是一款国产的开源项目管理软件,她的核心管理思想基于敏捷方法 scrum,内置了产品管理和项目管理,同时又根据国内研发现状补充了测试管理、计划管理、发布管理、文档管理、事务管理等功能,在一个软件中就可以将软件研发中的需求、任务、bug、用例、计划、发布等要素有序的跟踪管理起来,完整地覆盖了项目管理的核心流程。

    6 引用 • 15 回帖 • 113 关注
  • Vditor

    Vditor 是一款浏览器端的 Markdown 编辑器,支持所见即所得、即时渲染(类似 Typora)和分屏预览模式。它使用 TypeScript 实现,支持原生 JavaScript、Vue、React 和 Angular。

    351 引用 • 1814 回帖
  • Lute

    Lute 是一款结构化的 Markdown 引擎,支持 Go 和 JavaScript。

    25 引用 • 191 回帖 • 16 关注
  • GitLab

    GitLab 是利用 Ruby 一个开源的版本管理系统,实现一个自托管的 Git 项目仓库,可通过 Web 界面操作公开或私有项目。

    46 引用 • 72 回帖
  • 代码片段

    代码片段分为 CSS 与 JS 两种代码,添加在 [设置 - 外观 - 代码片段] 中,这些代码会在思源笔记加载时自动执行,用于改善笔记的样式或功能。

    用户在该标签下分享代码片段时需在帖子标题前添加 [css] [js] 用于区分代码片段类型。

    69 引用 • 373 回帖
  • Angular

    AngularAngularJS 的新版本。

    26 引用 • 66 回帖 • 536 关注
  • Kubernetes

    Kubernetes 是 Google 开源的一个容器编排引擎,它支持自动化部署、大规模可伸缩、应用容器化管理。

    110 引用 • 54 回帖
  • ActiveMQ

    ActiveMQ 是 Apache 旗下的一款开源消息总线系统,它完整实现了 JMS 规范,是一个企业级的消息中间件。

    19 引用 • 13 回帖 • 672 关注
  • Sphinx

    Sphinx 是一个基于 SQL 的全文检索引擎,可以结合 MySQL、PostgreSQL 做全文搜索,它可以提供比数据库本身更专业的搜索功能,使得应用程序更容易实现专业化的全文检索。

    1 引用 • 210 关注
  • PWA

    PWA(Progressive Web App)是 Google 在 2015 年提出、2016 年 6 月开始推广的项目。它结合了一系列现代 Web 技术,在网页应用中实现和原生应用相近的用户体验。

    14 引用 • 69 回帖 • 154 关注
  • Hibernate

    Hibernate 是一个开放源代码的对象关系映射框架,它对 JDBC 进行了非常轻量级的对象封装,使得 Java 程序员可以随心所欲的使用对象编程思维来操纵数据库。

    39 引用 • 103 回帖 • 709 关注
  • Rust

    Rust 是一门赋予每个人构建可靠且高效软件能力的语言。Rust 由 Mozilla 开发,最早发布于 2014 年 9 月。

    58 引用 • 22 回帖 • 1 关注
  • 书籍

    宋真宗赵恒曾经说过:“书中自有黄金屋,书中自有颜如玉。”

    77 引用 • 390 回帖
  • App

    App(应用程序,Application 的缩写)一般指手机软件。

    91 引用 • 384 回帖
  • Swift

    Swift 是苹果于 2014 年 WWDC(苹果开发者大会)发布的开发语言,可与 Objective-C 共同运行于 Mac OS 和 iOS 平台,用于搭建基于苹果平台的应用程序。

    36 引用 • 37 回帖 • 529 关注
  • 30Seconds

    📙 前端知识精选集,包含 HTML、CSS、JavaScript、React、Node、安全等方面,每天仅需 30 秒。

    • 精选常见面试题,帮助您准备下一次面试
    • 精选常见交互,帮助您拥有简洁酷炫的站点
    • 精选有用的 React 片段,帮助你获取最佳实践
    • 精选常见代码集,帮助您提高打码效率
    • 整理前端界的最新资讯,邀您一同探索新世界
    488 引用 • 384 回帖 • 8 关注
  • 电影

    这是一个不能说的秘密。

    120 引用 • 599 回帖