@dirupt/adonis-lucid-filter
v6.0.0
Published
Addon for filtering AdonisJS Lucid ORM (fork with AdonisJS v7 support)
Maintainers
Readme
@dirupt/adonis-lucid-filter
Fork of adonis-lucid-filter with AdonisJS v7 support
This addon adds the functionality to filter Lucid Models.
Inspired by EloquentFilter Original work by Lookin Anton
Credits
This package is a fork of adonis-lucid-filter by LookinLab, updated for AdonisJS v7 compatibility. All credit for the original implementation goes to the original author.
Versions
| @dirupt/adonis-lucid-filter | @adonisjs/lucid | AdonisJS | |-----------------------------|-----------------|----------| | ^6.*.* | ^22.*.* | v7 |
For AdonisJS v6, use the original package: adonis-lucid-filter@^5
Introduction
Example, we want to return a list of users filtered by multiple parameters. When we navigate to:
/users?name=Tony&lastName=&companyId=2&industry=5
request.all() or request.qs() will return:
{
"name": "Tony",
"lastName": "",
"companyId": 2,
"industry": 5
}To filter by all those parameters we would need to do something like:
import type { HttpContext } from '@adonisjs/core/http'
import User from '#models/user'
export default class UsersController {
async index({ request }: HttpContext): Promise<User[]> {
const { companyId, lastName, name, industry } = request.qs()
const query = User.query().where('company_id', +companyId)
if (lastName) {
query.where('last_name', 'LIKE', `%${lastName}%`)
}
if (name) {
query.where(function () {
this.where('first_name', 'LIKE', `%${name}%`)
.orWhere('last_name', 'LIKE', `%${name}%`)
})
}
return query.exec()
}
}To filter that same input with Lucid Filters:
import type { HttpContext } from '@adonisjs/core/http'
import User from '#models/user'
export default class UsersController {
async index({ request }: HttpContext): Promise<User[]> {
return User.filter(request.qs()).exec()
}
}Installation
pnpm add @dirupt/adonis-lucid-filterAfter install call configure:
node ace configure @dirupt/adonis-lucid-filterUsage
Make sure to register the provider and commands inside adonisrc.ts file.
providers: [
// ...
() => import('@dirupt/adonis-lucid-filter/provider'),
],
commands: [
// ...
() => import('@dirupt/adonis-lucid-filter/commands')
]Generating The Filter
You can create a model filter with the following ace command:
node ace make:filter userWhere user is the Lucid Model you are creating the filter for. This will create app/models/filters/user_filter.ts
Defining The Filter Logic
Define the filter logic based on the camel cased input key passed to the filter() method.
- Empty strings are ignored
setup()will be called regardless of input_idis dropped from the end of the input to define the method so filteringuser_idwould use theuser()method- Input without a corresponding filter method are ignored
- The value of the key is injected into the method
- All values are accessible through the
this.$inputproperty - All QueryBuilder methods are accessible in
this.$queryobject in the model filter class.
To define methods for the following input:
{
"companyId": 5,
"name": "Tony",
"mobilePhone": "888555"
}You would use the following methods:
import { BaseModelFilter } from '@dirupt/adonis-lucid-filter'
import type { ModelQueryBuilderContract } from '@adonisjs/lucid/types/model'
import User from '#models/user'
export default class UserFilter extends BaseModelFilter {
declare $query: ModelQueryBuilderContract<typeof User>
static blacklist: string[] = ['secretMethod']
company(id: number) {
this.$query.where('company_id', id)
}
name(name: string) {
this.$query.where((builder) => {
builder
.where('first_name', 'LIKE', `%${name}%`)
.orWhere('last_name', 'LIKE', `%${name}%`)
})
}
mobilePhone(phone: string) {
this.$query.where('mobile_phone', 'LIKE', `${phone}%`)
}
secretMethod(secretParameter: any) {
this.$query.where('some_column', true)
}
}Blacklist
Any methods defined in the blacklist array will not be called by the filter. Those methods are normally used for internal filter logic.
The whitelistMethod() method can be used to dynamically whitelist methods.
Example:
setup($query) {
this.whitelistMethod('secretMethod')
this.$query.where('is_admin', true)
}
setup()may not be async
Static properties
export default class UserFilter extends BaseModelFilter {
// Blacklisted methods
static blacklist: string[] = []
// Dropped `_id` from the end of the input
static dropId: boolean = true
// Convert input keys to camelCase method names
static camelCase: boolean = true
}Applying The Filter To A Model
import UserFilter from '#models/filters/user_filter'
import { compose } from '@adonisjs/core/helpers'
import { Filterable } from '@dirupt/adonis-lucid-filter'
export default class User extends compose(BaseModel, Filterable) {
static $filter = () => UserFilter
// ...columns and props
}This gives you access to the filter() method that accepts an object of input:
import type { HttpContext } from '@adonisjs/core/http'
import User from '#models/user'
export default class UsersController {
async index({ request }: HttpContext): Promise<User[]> {
return User.filter(request.qs()).exec()
}
// or with paginate method
async index({ request }: HttpContext): Promise<ModelPaginatorContract<User>> {
const { page = 1, ...input } = request.qs()
return User.filter(input).paginate(page, 15)
}
}Dynamic Filters
You can define the filter dynamically by passing the filter to use as the second parameter of the filter() method.
import type { HttpContext } from '@adonisjs/core/http'
import AdminFilter from '#models/filters/admin_filter'
import UserFilter from '#models/filters/user_filter'
export default class UsersController {
async index({ request, auth }: HttpContext): Promise<User[]> {
const filter = auth.user.isAdmin() ? AdminFilter : UserFilter
return User.filter(request.qs(), filter).exec()
}
}Filtering relations
For filtering relations of model you may use .query().filter() or scope filtration:
import type { HttpContext } from '@adonisjs/core/http'
import User from '#models/user'
export default class UserPostsController {
async index({ params, request }: HttpContext): Promise<Post[]> {
const user: User = await User.findOrFail(params.user_id)
return user.related('posts').query()
.apply(scopes => scopes.filtration(request.qs()))
.exec()
// or
return user.related('posts').query().filter(request.qs()).exec()
}
}The relation model must have the
Filterablemixin and$filtermust be defined
