框架高效开发工具集

通过mybatis插件简化in查询

2019-10-04  本文已影响0人  无醉_1866

in查询的痛点

SQL中的in查询语法如下:


select id, name from user where id in (1, 2, 3)

在使用mybatis做in查询时。如果是通过xml的方式使用mysql,则需要如下代码:


<select id="selectByIds" resultMap="userResultMap">

select id, name from user where id in

    <foreach collection="idList" item="id" index="index" open="(" close=")" separator=",">

      #{id}

    </foreach>

</select>

如果是使用注解的方式,则更加难受:

  @Select({
      "<script>",
      " select id, name from user where id in",
      " <foreach collection='ids' item='id' open='(' separator=',' close=')'>",
      "   #{id}",
      " </foreach>",
      "</script>"
  })
  List<User> selectByIds(@Param("idList") List<Integer> idList);

可以看到,不管哪种方式都非常难用,如果工程中有较多的in查询,会非常痛苦。

优化目标

我们可以通过自定义mybatis插件的的式来支持in查询,插件目标是将in查询简化如下:

<select id="selectByIds" resultMap="userResultMap">

  select id, name from user where id in (#{idList})

</select>

  @Select("select id, name from user where id in (#{idList})")
  List<User> selectByIds(@Param("idList") List<Integer> idList);

实现方式

假设参数idList包含三个元素[1, 2, 3],通过mybatis插件,对SQL做改写,对于sql:

select id, name from user where id in (#{idList})

经过改写后:

select id, name from user where id in (#{idList0}, #{idList1}, #{idList2})

mybatis执行中的参数则由Map["idList":idList]改写为Map["idList0":1, "idList1":2, "idList2":3],则mybatis能正确执行in查询

代码如下(见:https://github.com/gaohanghbut/stupidmybatis):

package cn.yxffcode.stupidmybatis.core;

import cn.yxffcode.stupidmybatis.commons.Reflections;
import com.google.common.base.Throwables;
import com.google.common.collect.Maps;
import org.apache.ibatis.cache.CacheKey;
import org.apache.ibatis.executor.Executor;
import org.apache.ibatis.mapping.BoundSql;
import org.apache.ibatis.mapping.MappedStatement;
import org.apache.ibatis.mapping.ParameterMapping;
import org.apache.ibatis.plugin.*;
import org.apache.ibatis.reflection.MetaObject;
import org.apache.ibatis.reflection.SystemMetaObject;
import org.apache.ibatis.session.Configuration;
import org.apache.ibatis.session.ResultHandler;
import org.apache.ibatis.session.RowBounds;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

import java.lang.reflect.Constructor;
import java.util.*;

/**
 * 支持参数为list的插件实现
 * <p/>
 * 在使用in语句时,往往参数为集合或者数组,需要将mapper文件中写<forEach>,此插件
 * 的目的是为了将forEach从mapper文件中去掉,SQL直接支持in(#{list})
 *
 * @author gaohang on 16/3/3.
 */
@Intercepts({@Signature(type = Executor.class, method = "query",
    args = {MappedStatement.class, Object.class, RowBounds.class, ResultHandler.class}),
    @Signature(type = Executor.class, method = "query",
        args = {MappedStatement.class, Object.class, RowBounds.class, ResultHandler.class,
            CacheKey.class, BoundSql.class}), @Signature(type = Executor.class, method = "update",
    args = {MappedStatement.class, Object.class})})
public class ListParameterResolver implements Interceptor {

  private static final Logger LOGGER = LoggerFactory.getLogger(ListParameterResolver.class);

  @Override
  public Object intercept(Invocation invocation) throws Throwable {
    final Object[] args = invocation.getArgs();
    MappedStatement ms = (MappedStatement) args[0];
    Object parameter = args[1];
    BoundSql boundSql = args[args.length - 1] instanceof BoundSql ?
        (BoundSql) args[args.length - 1] :
        ms.getBoundSql(parameter);
    //绑定参数
    List<ParameterMapping> parameterMappings =
        Collections.unmodifiableList(boundSql.getParameterMappings());
    if (parameterMappings == null || parameterMappings.isEmpty() || parameter == null) {
      return invocation.proceed();
    }
    MetaObject mo = SystemMetaObject.forObject(parameter);

    //先记录集合参数的位置
    List<ListParamWrapper> paramPositions =
        buildListParameterPositions(boundSql, parameterMappings, mo);

    if (paramPositions.isEmpty()) {
      return invocation.proceed();
    }

    Map<String, Object> paramMap = normalizeParameters(parameter, parameterMappings, mo);

    rebuildBoundSql(boundSql, parameterMappings, paramPositions, paramMap);

    LOGGER.debug("rebuilded sql:{}", boundSql.getSql());

    args[1] = paramMap;
    args[0] = MappedStatementUtils.copyMappedStatement(ms, boundSql);
    return invocation.proceed();
  }

  @Override
  public Object plugin(Object target) {
    if (target instanceof Executor) {
      return Plugin.wrap(target, this);
    }
    return target;
  }

  @Override
  public void setProperties(Properties properties) {
  }

  private void rebuildBoundSql(BoundSql boundSql, List<ParameterMapping> parameterMappings,
                               List<ListParamWrapper> paramPositions,
                               Map<String, Object> paramMap) {
    String sql = boundSql.getSql();
    int lastAppended = -1;
    StringBuilder newSql = new StringBuilder();

    //copy ParameterMappings, because of the ParameterMapping list is shared by SqlSource, copy a
    // list is commanded.
    List<ParameterMapping> newParameterMappings = new ArrayList<>();

    int parameterAppendIndex = 0;
    for (ListParamWrapper paramPosition : paramPositions) {
      for (int i = parameterAppendIndex; i < paramPosition.mappingPosition; i++) {
        newParameterMappings.add(parameterMappings.get(i));
      }
      //不再需要原始参数,所以第paramPosition.mappingPosition个参数不需要加入新的参数列表
      parameterAppendIndex = paramPosition.mappingPosition + 1;
      int sqlPosition = paramPosition.sqlPosition;
      newSql.append(sql.substring(++lastAppended, sqlPosition));
      //拼问号
      int count = 0;
      for (Object obj : paramPosition.params) {
        newSql.append('?').append(',');
        String newProperty = paramPosition.paramName + count;
        paramMap.put(newProperty, obj);

        ParameterMapping npm = copyParameterMappingForNewProperty(
            paramPosition, obj, newProperty);

        newParameterMappings.add(npm);
        count++;
      }
      if (newSql.charAt(newSql.length() - 1) == ',') {
        newSql.deleteCharAt(newSql.length() - 1);
      }
      //因为遍历iterable的时候已经append了?,所以原始SQL中的?应该丢弃
      lastAppended = sqlPosition;
    }

    newSql.append(sql.substring(lastAppended + 1));

    for (int i = parameterAppendIndex; i < parameterMappings.size(); i++) {
      newParameterMappings.add(parameterMappings.get(i));
    }
    Reflections.setField(boundSql, "parameterMappings", newParameterMappings);
    Reflections.setField(boundSql, "sql", newSql.toString());
  }

  private Map<String, Object> normalizeParameters(Object parameter,
                                                  List<ParameterMapping> parameterMappings,
                                                  MetaObject mo) {
    Map<String, Object> paramMap = null;
    //注意参数的处理,参数可能是map,也可能是普通对象,当参数是普通对象时,需要转换成map
    if (parameter != null && parameter instanceof Map) {
      paramMap = (Map<String, Object>) parameter;
    }
    if (paramMap == null) {
      paramMap = Maps.newHashMap();
      for (ParameterMapping pm : parameterMappings) {
        paramMap.put(pm.getProperty(), mo.getValue(pm.getProperty()));
      }
    }
    return paramMap;
  }

  private ParameterMapping copyParameterMappingForNewProperty(
      ListParamWrapper paramPosition, Object param, String newProperty) {
    try {
      ParameterMapping pm = paramPosition.parameterMapping;
      MetaObject pmmo = SystemMetaObject.forObject(pm);
      Constructor<ParameterMapping> constructor = ParameterMapping.class.getDeclaredConstructor();
      constructor.setAccessible(true);
      ParameterMapping npm = constructor.newInstance();
      MetaObject npmmo = SystemMetaObject.forObject(npm);
      //copy
      Configuration configuration = (Configuration) pmmo.getValue("configuration");
      npmmo.setValue("configuration", configuration);
      npmmo.setValue("property", newProperty);
      npmmo.setValue("mode", pmmo.getValue("mode"));
      npmmo.setValue("javaType", pmmo.getValue("javaType"));
      npmmo.setValue("jdbcType", pmmo.getValue("jdbcType"));
      npmmo.setValue("numericScale", pmmo.getValue("numericScale"));
      Object typeHandler = pmmo.getValue("typeHandler");
      if (typeHandler == null) {
        typeHandler = configuration.getTypeHandlerRegistry().getTypeHandler(param.getClass());
      }
      npmmo.setValue("typeHandler", typeHandler);
      npmmo.setValue("resultMapId", pmmo.getValue("resultMapId"));
      npmmo.setValue("jdbcTypeName", pmmo.getValue("jdbcTypeName"));
      return npm;
    } catch (Exception e) {
      throw Throwables.propagate(e);
    }
  }

  private List<ListParamWrapper> buildListParameterPositions(BoundSql boundSql,
                                                             List<ParameterMapping> parameterMappings,
                                                             MetaObject mo) {
    List<ListParamWrapper> positionMap = new ArrayList<>(2);
    for (int i = 0, j = parameterMappings.size(); i < j; i++) {
      ParameterMapping parameterMapping = parameterMappings.get(i);
      if (!mo.hasGetter(parameterMapping.getProperty())) {
        continue;
      }
      final Object value = mo.getValue(parameterMapping.getProperty());
      if (value == null) {
        continue;
      }
      if (!(value instanceof Iterable) && !value.getClass().isArray()) {
        continue;
      }
      Iterable<?> iterable;
      if (value instanceof Iterable) {
        //找到第i+1个?的位置修改SQL
        iterable = (Iterable<?>) value;
      } else {
        iterable = new AbstractList<Object>() {
          Object[] array = (Object[]) value;

          @Override
          public Object get(int index) {
            return array[index];
          }

          @Override
          public int size() {
            return array.length;
          }
        };
      }

      String sql = boundSql.getSql();
      int paramIndex = 0;
      for (int k = 0, s = sql.length(); k < s; k++) {
        char c = sql.charAt(k);
        if (c == '?') {
          ++paramIndex;
          if (paramIndex == i + 1) {//第i个参数的位置为k
            positionMap.add(new ListParamWrapper(iterable, k, parameterMapping.getProperty(), i,
                parameterMapping));
          }
        }
      }
    }
    return positionMap;
  }

  private static final class ListParamWrapper {
    private final Iterable<?> params;
    private final int sqlPosition;
    private final String paramName;
    private final int mappingPosition;
    private final ParameterMapping parameterMapping;

    public ListParamWrapper(Iterable<?> params, int sqlPosition, String paramName,
                            int mappingPosition, ParameterMapping parameterMapping) {
      this.params = params;
      this.sqlPosition = sqlPosition;
      this.paramName = paramName;
      this.mappingPosition = mappingPosition;
      this.parameterMapping = parameterMapping;
    }
  }
}

其中使用到的Reflections类:

package cn.yxffcode.stupidmybatis.commons;

import com.google.common.base.Throwables;

import java.lang.annotation.Annotation;
import java.lang.reflect.Field;
import java.lang.reflect.Method;

/**
 * @author gaohang on 15/12/4.
 */
public final class Reflections {
  private Reflections() {
  }

  private static Field findField(Class<?> clazz, String name) {
    return findField(clazz, name, null);
  }

  public static Field findField(Class<?> clazz, String name, Class<?> type) {
    Class<?> searchType = clazz;
    while (!Object.class.equals(searchType) && searchType != null) {
      Field[] fields = searchType.getDeclaredFields();
      for (Field field : fields) {
        if ((name == null || name.equals(field.getName())) && (type == null || type
            .equals(field.getType()))) {
          return field;
        }
      }
      searchType = searchType.getSuperclass();
    }
    return null;
  }

  public static Object getField(String fieldName, Object target) {
    Field field = findField(target.getClass(), fieldName);
    if (!field.isAccessible()) {
      field.setAccessible(true);
    }
    try {
      return field.get(target);
    } catch (IllegalAccessException ex) {
      throw new IllegalStateException("Unexpected reflection exception - " + ex.getClass()
          .getName() + ": " + ex.getMessage(), ex);
    }
  }

  public static void setField(Object target, String fieldName, Object value) {
    try {
      final Field field = target.getClass().getDeclaredField(fieldName);
      if (!field.isAccessible()) {
        field.setAccessible(true);
      }
      field.set(target, value);
    } catch (Exception ex) {
      throw new IllegalStateException("Unexpected reflection exception - " + ex.getClass()
          .getName() + ": " + ex.getMessage(), ex);
    }
  }

  public static <T> T call(Annotation annotation, String methodName) {
    try {
      Method method = annotation.annotationType().getMethod(methodName);
      return (T) method.invoke(annotation);
    } catch (Exception e) {
      throw Throwables.propagate(e);
    }
  }
}

将插件配置到mybatis中:

<plugin interceptor="cn.yxffcode.stupidmybatis.core.ListParameterResolver"></plugin>

如果是springboot:

@Configuration
public class MybatisConfig {

  @Bean
  public ListParameterResolver sqlStatsInterceptor() {
    return new ListParameterResolver();
  }

  @Bean
  public SqlSessionFactoryBean sqlSessionFactory(DataSource dataSource, List<Interceptor> interceptors) {
    final SqlSessionFactoryBean sqlSessionFactoryBean = new SqlSessionFactoryBean();
    sqlSessionFactoryBean.setDataSource(dataSource);
    if (!CollectionUtils.isEmpty(interceptors)) {
      final Interceptor[] plugins = new Interceptor[interceptors.size()];
      interceptors.toArray(plugins);
      sqlSessionFactoryBean.setPlugins(plugins);
    }
    return sqlSessionFactoryBean;
  }

  @Bean
  public SqlSessionTemplate sqlSessionTemplate(SqlSessionFactory sqlSessionFactory) {
    return new SqlSessionTemplate(sqlSessionFactory);
  }

}

上一篇 下一篇

猜你喜欢

热点阅读