Does ObjectBox have a SQL Like keyword equivalent

China☆狼群 提交于 2021-01-04 06:59:36

问题


I have a project that is using ObjectBox to store data locally.

When I perform a query in SQL, I can use "%" to get all of the items because I am using the "Like" keyword to match patterns.

Does ObjectBox have an equivalent way to do this in a query?


回答1:


Not sure about the specifics about your use case, often a LIKE is used to find a string anywhere in the text. This is supported by ObjectBox using contains:

List<Note> endNotes = noteBox.query().contains(Note_.text, "end").build().find();

If you need something more powerful, please watch this feature request. Meanwhile, try to use a combination of contains (better performance) and filter (allows any complexity).

PS.: Of course you can have combinations of multiple contains conditions, and/or in combination with startsWith and endsWith.




回答2:


I'm still interested if there is an official way to do this, but this is what I have come up with in the meantime.

In my query, I use the filter method.

private Query<InventoryItem> query = mBox
        .query()
        .greater(InventoryItem_.id, 0) //this will return all results
        .filter(new QueryFilter<InventoryItem>()
        {
            @Override
            public boolean keep(@NonNull InventoryItem entity)
            {
                if (like(entity.getDescription(), mSearchString + "%"))
                {
                    return true;
                }
                return false;
            }
        })
        .order(InventoryItem_.description)
        .build();

And here is how I can perform the LIKE keyword via a regular expression.

    private static boolean like(final String str, final String expr)
{
    String safeString = (str == null) ? "" : str;
    String regex = quoteMeta(expr);
    regex = regex.replace("_", ".").replace("%", ".*?");
    Pattern p = Pattern.compile(regex,
                                Pattern.CASE_INSENSITIVE | Pattern.DOTALL);
    return p.matcher(safeString).matches();
}

private static String quoteMeta(String s)
{
    if (s == null)
    {
        throw new IllegalArgumentException("String cannot be null");
    }

    int len = s.length();
    if (len == 0)
    {
        return "";
    }

    StringBuilder sb = new StringBuilder(len * 2);
    for (int i = 0; i < len; i++)
    {
        char c = s.charAt(i);
        if ("[](){}.*+?$^|#\\".indexOf(c) != -1)
        {
            sb.append("\\");
        }
        sb.append(c);
    }
    return sb.toString();
}

Credit to How to implement a SQL like 'LIKE' operator in java?



来源:https://stackoverflow.com/questions/51846019/does-objectbox-have-a-sql-like-keyword-equivalent

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