Hibernate criteria accepting %% value

十年热恋 提交于 2021-02-07 20:48:40

问题


I am using the below Hibernate code to filter workFlowName.

crt.add(Restrictions.like("workFlowName", workFlow, MatchMode.ANYWHERE));
// crt is the criteria

The problem is when I pass the value to workFlow from web (TextBox).it fetching the value correctly (I am passing sym in text box if fetch 10 records.if i pass the same value like %sym% again it is fetching same record).

Whether the criteria will omit when it see %% as argument?


回答1:


Hibernate does not escape special chars in like (e.g. the percentage % sign). But there are descriptions how to solve it (escape it):

  • Escaping special characters in Hibernate queries
  • Using hibernate criteria, is there a way to escape special characters?
  • Escape special characters in hibernate criteria

In general we could implement our own EscapedILikeExpression (taken from the first link above)

class EscapedILikeExpression extends IlikeExpression {
    private static final String HIBERNATE_ESCAPE_CHAR = "\\";

    public EscapedILikeExpression(String propertyName, Object value) {
        super(propertyName, value);
    }

    public EscapedILikeExpression(String propertyName, String value, MatchMode matchMode) {
        super(propertyName, replaceAll(value), matchMode);
    }

    private static String replaceAll(String value) {
        return value
                .replace("\\",  HIBERNATE_ESCAPE_CHAR + "\\")
                .replace("_",   HIBERNATE_ESCAPE_CHAR + "_")
                .replace("%",   HIBERNATE_ESCAPE_CHAR + "%");

    }
}

and

public class EscapedRestrictions {
    public static Criterion ilike(String propertyName, String value) {
        return new EscapedILikeExpression(propertyName, value);
    }

    public static Criterion ilike(String propertyName, String value, MatchMode matchMode) {
        return new EscapedILikeExpression(propertyName, value, matchMode);
    }
}

And now we should be able to call

crt.add(EscapedRestrictions.ilike("workFlowName", workFlow, MatchMode.ANYWHERE));


来源:https://stackoverflow.com/questions/30844788/hibernate-criteria-accepting-value

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!