DEV Community

Davide de Paolis
Davide de Paolis

Posted on • Originally published at dvddpl.github.io

Filter Operators in React Admin and Sequelize

TLDR

If you want to pass operators from your filters, just append the operator type to the source property of your React Component, then have the backend parse it and create the where condition out of it.
You can also make it dynamic by writing a custom filter which grabs the value from the filter, and the operator selected by another small component.

            <NumberInput
                resource="users"
                label="Age"
                source="age|op=lte"
            />

            <SelectArrayInput
                resource="users"
                source="city|op=In"
                choices={cities}
            />
Enter fullscreen mode Exit fullscreen mode

The stack

In our of our latest projects we are using React Admin, a web framework that allows to - reasonably quickly - build very powerful and advanced applications.
We have then an AWS API Gateway and a bunch of Lambdas to handle all the CRUD which happens within our React application.
Everything is stored in Aurora Serverless and the backend writes to the DB using Sequelize, an Object Relational Mapper (ORM) that makes it easy to map object syntax to database schemas.

React Admin comes with a customizable grid and set of filter components that take care of gathering the user input and invoke the API with the user selections, bound to the data properties returned by the endpoints.

React component for the Filter Inputs looks like this

 <NumberInput
                resource="users"
                label="User ID"
                source="id"
            />

            <SelectArrayInput
                resource="users"
                source="city"
                choices={cities}
            />
Enter fullscreen mode Exit fullscreen mode

Where resource is your endpoint and source is the property you want to filter by.
An onChange listener on that component generates a payload that is passed to the endpoint: the URL un-encoded payload looks like this:

{
filter:  {
   "cities": ["NY", "LA", "WA"],
   "name": "ma",
   "age": 18
  }
}
Enter fullscreen mode Exit fullscreen mode

Being able to bind name property to a Like Search or an array value to a IN condition, is quite straightforward, but we soon hit some issues with code flexibility and readability.

The context

At some point, we needed to add some more advanced filtering of the data we were loading from the database.

  • Search those elements that are NOT X.
  • Search those elements that are greater than Y etc

Writing such Where conditions ( or ON conditions with Joint through different tables is not a problem ) in MySQL is quite simple and so it is also with Sequelize.

SELECT city, name, age FROM Users WHERE id IN (NY, LA, WA)

SELECT city, name, age FROM Users WHERE name like %ma%.  # will return anything like Matt, Mark, Annamarie, Samantha, Thelma, Naima. 

SELECT city, name, age FROM Users WHERE age < 18 
Enter fullscreen mode Exit fullscreen mode

In Sequelize would look like this:


    Users.findAll({
        where: {
            id: {
                [Op.in]: [NY, LA, WA],
            }
        })

    Users.findAll({
        where: {
            name: {
                [Op.substring]: "ma"
            }
        })

    Users.findAll({
        where: {
            age: {
                [Op.lte]: 18
            }
        })
Enter fullscreen mode Exit fullscreen mode

Of course, those can be combined with OR or And Conditions altogether.

The problem

How can we handle the Operator within the React Component?

What I had in mind was something like this:

NumberFilter with operator

which I found in AG-Grid Simple filters. but React Admin did not seem to provide such a component, nor allow the configuration of the payload in a way that contains the operator information, along these lines:

"groupOp": "AND",
  "rules": [
    {
      "field": "age",
      "op": "lowerThan",
      "data": 18
    },
    {
      "field": "city",
      "op": "in",
      "data": ["NY", "LA"]
    }
  ],
Enter fullscreen mode Exit fullscreen mode

Sequelize comes with a full list of Operators but the only possibility in React Admin for
a generic text search was to use this approach

filter={"q":"lorem "}  
Enter fullscreen mode Exit fullscreen mode

Where q has then to be mapped in your backend to a specific property and a specific like (startsWith, endsWith, contains), etc.

Handy, but not so handy...

In fact, there is no standard on how an API does queries with specific operators and ReactAdmin has no knowledge about it, therefore its filters don't handle such feature.

The builders of React Admin also state that on StackOverflow but also provide a hint on how to handle that:

Composing the source so that it contains the operator

filter: { status_id_gt: 2 }

The solution

Not ideal but quite enough to get me started. (I didn't want to rely on the underscore to separate the source, the property and the operator since in too many circumstances we had columns or property already containing underscore...)

I went for a specific separator ( |op= ) which allows the backend to safely split the property from the operator, then I can append any constant from the available Sequelize Operators:

const filters = {
        'name|op=substring': 'ma',
        'age|op=lt': [18],
        'cities': {
            'id|op=in': ['NY', 'LA']
        },
        'status|op=notIn': ["pending", "deleted"]
    }

Enter fullscreen mode Exit fullscreen mode

This will be parse by a simple method:

const {Op} = require('sequelize')

const parseOperator = (key, value, separator = '|op=') => {
    if (key.includes(separator)) {
        const [prop, op] = key.split(separator)
        if (!Object.prototype.hasOwnProperty.call(Op, op)) {
            throw new Error(`Invalid Filter Condition/Operator (${op})`)
        }
        return {
            property: prop,
            operator: Op[op],
            value
        }
    }
// this is handling the default - which is an Equal if value is it's a string or number, or an IN if we received an Array.
    return {
        property: key,
        operator: Array.isArray(value) ? Op.in : Op.eq,
        value
    }
}
Enter fullscreen mode Exit fullscreen mode

then for every entry in the Filter object I received from the Application

Object.entries(filter).reduce((acc, current) => {
            const [key, value] = current
            const {property, operator, value: by} = parseOperator(key, value)
            acc.where[property] = {
                [operator]: by
            }
            return acc
        }, {
            where: {}
        }
    )
Enter fullscreen mode Exit fullscreen mode

Pass that object to your usual Model.findAll() method and you will have the right Sequelize statement with the right operators.

Where to go from here

I still have in mind the full implementation with a component like the one above - where the user can select the operator they want to use - but for now, that was not the requirement we had, so I stuck to a basic implementation with "hardcoded" operators but which allow a greater deal of flexibility.

Whenever we will need this functionality, we will just need to wrap our input filter component into a custom one so that we can allow the user to select the type of operator, and then compose the string which will be parsed by the backend.

            <NumberInput
                resource="users"
                label="Age"
                source="age|op={$SELECTED_OPERATOR}"
            />

            <SelectArrayInput
                resource="users"
                source="city|op={$SELECTED_OPERATOR}"
                choices={cities}
            />
Enter fullscreen mode Exit fullscreen mode

Hope it helps

Top comments (0)