Skip to content

Lucid slugify gives you a simple API to create and persist unique slugs to the database

License

Notifications You must be signed in to change notification settings

adonisjs/lucid-slugify

Folders and files

NameName
Last commit message
Last commit date

Latest commit

ff0b606 ยท Mar 9, 2025

History

72 Commits
Mar 9, 2025
Mar 9, 2025
Mar 9, 2025
Mar 9, 2025
Mar 6, 2025
Mar 9, 2025
Mar 6, 2025
Mar 6, 2025
Mar 6, 2025
Mar 6, 2025
Mar 9, 2025
Mar 9, 2025
Mar 6, 2025
Mar 9, 2025
Mar 9, 2025
Mar 6, 2025

Repository files navigation

@adonisjs/lucid-slugify

Use Lucid models to create URL-safe unique slugs and persist them in the database.


gh-workflow-image npm-image license-image

Introduction

Generating slugs is easy, but keeping them unique is hard. This package abstracts the hard parts and gives you a simple API to create and persist unique slugs to the database.

Lucid slugify exports the @slugify decorator, which you can use on the model fields to mark them as slugs and define the source fields from which the slug should be generated. Under the hood, the decorator registers beforeCreate and beforeUpdate hooks to compute the slug and persist it to the database.

In the following example, we mark the slug field as the slug and compute its value using the title field. We also use the dbIncrement strategy to keep slugs unique.

import { DateTime } from 'luxon'
import { BaseModel, column } from '@adonisjs/lucid/orm'
import { slugify } from '@adonisjs/lucid-slugify'

export default class Post extends BaseModel {
  @column({ isPrimary: true })
  declare id: number

  @column()
  declare title: string

  @column()
  @slugify({
    strategy: 'dbIncrement',
    fields: ['title'],
  })
  declare slug: string
}

Installation and usage

You can install the @adonisjs/lucid-slugify package from the npm packages registry. Ensure your application uses @adonisjs/core@6 and @adonisjs/lucid@21.

npm i @adonisjs/lucid-slugify
yarn add @adonisjs/lucid-slugify
pnpm add @adonisjs/lucid-slugify

Once done, you can mark a field as a slug using the @slugify decorator. Make sure to specify the source field(s) from which the slug should be generated.

import { DateTime } from 'luxon'
import { BaseModel, column } from '@adonisjs/lucid/orm'

// ๐Ÿ‘‡ Import decorator
import { slugify } from '@adonisjs/lucid-slugify'

export default class Post extends BaseModel {
  @column({ isPrimary: true })
  declare id: number

  @column()
  declare title: string

  @column()
  // ๐Ÿ‘‡ Use it on a column
  @slugify({
    fields: ['title'],
  })
  declare slug: string
}

Uniqueness of slug

In the previous example, if two posts are created with the same title, they will have the same slug value.

This won't be a problem if you are the only author of your blog since you can always rename titles or might never write two articles with the same title.

However, if it's a community blog or forum, the chances of creating two or more posts with the same title are quite high.

You can use one of the following strategies to prevent duplicate slugs even when the titles are the same.

dbIncrement

The dbIncrement strategy performs a select query to find similar slugs and appends a counter when a duplicate slug is found. Given you have a database table with the following slugs:

  • Creating a post with slug=hello-world will result in hello-world-6.
  • Similarly, creating a post with slug=introduction-to-social-auth will result in introduction-to-social-auth-5.
+----+-----------------------------+-------------------------------+
| id | title                       | slug                          |
+----+-----------------------------+-------------------------------+
| 1  | Hello world                 | hello-world                   |
| 2  | Hello world                 | hello-world-5                 |
| 3  | Hello world                 | hello10world                  |
| 4  | Hello world                 | hello-10-world                |
| 5  | Introduction to social auth | introduction-to-social-auth   |
| 6  | Introduction to social auth | introduction-to-social-auth-4 |
| 7  | Hello world                 | hello-world-2                 |
| 8  | Hello world fanny           | hello-world-fanny             |
| 9  | Hello world                 | post-hello-world              |
| 10 | Hello world                 | post-11am-hello-world11       |
| 11 | Hello world                 | post-11am-hello-world         |
| 12 | Introduction to social auth | introdUction-to-Social-auTH-1 |
+----+-----------------------------+-------------------------------+

shortId

The shortId strategy appends a 10-digit short id to the slug to make it unique. This strategy does not perform any additional database queries.

export default class Post extends BaseModel {
  @column({ isPrimary: true })
  declare id: number

  @column()
  declare title: string

  @column()
  @slugify({
    strategy: 'shortId',
    fields: ['title'],
  })
  declare slug: string
}
+----+-------------+------------------------+
| id | title       | slug                   |
+----+-------------+------------------------+
| 1  | Hello world | hello-world-yRPZZIWGgC |
+----+-------------+------------------------+

Updating slugs

By default, slugs are not updated when you update a model instance, and this is how it should be when slugs are used to look up a record, as changing a slug will result in a broken URL.

However, if slugs are not primarily used to look up records, you may want to update them.

You can enable updates by using the allowUpdates flag.

export default class Post extends BaseModel {
  @column({ isPrimary: true })
  declare id: number

  @column()
  declare title: string

  @column()
  @slugify({
    strategy: 'dbIncrement',
    fields: ['title'],
    allowUpdates: true, // ๐Ÿ‘ˆ
  })
  declare slug: string
}

Null values and slug generation

The slugify decorator does not generate slugs when the value of one or more source fields is undefined or null.

Available options

Available options

Following is the list of available options accepted by the @slugify decorator.

{
"fields":

An array of source fields to use for generating the slug. The value of multiple fields is concatenated using the config.separator property.

"strategy":

Reference to a pre-existing strategy or a factory function that returns a custom strategy implementation.

"allowUpdates":

A boolean to enable updates. Updates are disabled by default.

"maxLength":

The maximum length for the generated slug. The final slug value can be slightly over the defined maxLength in the following scenarios.

No max length is applied by default.

  • When completeWords is set to true.
  • When using the dbIncrement strategy. The counter value is appended after trimming the value for the maxLength.
"completeWords":

A boolean that forces to complete the words when applying the maxLength property. Completing words will generate a slug larger than the maxLength. So, keep some buffer between the maxLength property and the database storage size.

Complete words are disabled by default.

"separator":

The separator to use for creating the slug. A dash - is used by default.

"transformer":

A custom function to convert non-string data types to a string value. For example, if the source field from which the slug is generated is a boolean, then we will convert it to "1" or "0".

By defining the transformer property, you can decide how different data types can be converted to a string.

}

Using custom strategies

Custom strategies can be used if you want to handle the uniqueness of slugs yourself. A strategy must implement the SlugifyStrategyContract.

import { SlugifyStrategyContract } from '@adonisjs/lucid-slugify/types'

export class MyCustomStrategy implements SlugifyStrategyContract {
  maxLengthBuffer: number = 0

  async makeSlugUnique(modelInstance: LucidRow, field: string, value: string): string {}
}

The makeSlugUnique method receives the following arguments.

  • modelInstance: Reference to the model instance that will be persisted in the database
  • field: The name of the field for which the unique slug will be created.
  • value: The base value to convert to a unique value.

Once you have created the strategy, you can use it with the @slugify decorator, as shown in the following example.

export default class Post extends BaseModel {
  @column({ isPrimary: true })
  declare id: number

  @column()
  declare title: string

  @column()
  @slugify({
    strategy: () => {
      return new MyCustomStrategy()
    },
    fields: ['title'],
  })
  declare slug: string
}

Self creating slugs

The default implementation used by Lucid slugify for creating slugs works great with English words. However, if you are using Non-Latin alphabets, replace the implementation for creating slugs with a custom one.

You can override the static slugify method on the Slugifier class. The following code has to be executed only once.

import { Slugifier } from '@adonisjs/lucid-slugify'

/**
 * Make sure to install the "transliteration" package
 */
import { slugify } from 'transliteration'

Slugifier.slugify = function (value, options) {
  return slugify(value, {
    separator: options.separator,
    lowercase: options.lower,
  })
}

Contributing

One of the primary goals of AdonisJS is to have a vibrant community of users and contributors who believe in the principles of the framework.

We encourage you to read the contribution guide before contributing to the framework.

Code of Conduct

To ensure that the AdonisJS community is welcoming to all, please review and abide by the Code of Conduct.

License

AdonisJS Lucid slugify is open-sourced software licensed under the MIT license.