When constructing a URL for a model resource in a standard Laravel application there are really only two options for unique identifiers: model Ids and slugs. UUIDs are also a possibility but they require some extra configuration so I don't consider them a 'standard' option. Model Ids are convenient but you might not want to expose primary keys to your users, for myriad reasons. It is often the case that slugs are not feasible for certain types of model. Our best bet then is to somehow obfuscate model Ids for the sake of generating resource URLs. This will make it much less obvious how many users are in our database, or how many invoices we have sent. Obfuscation like this is possible but requires a bit of work to integrate with a Laravel application.
For a long time, the best option was a library called Hashids, which also has a Laravel bridge package created by Vincent Klaiber. Recently, however the Hashids project announced the launch of a new tool called [Sqids)(https://sqids.org); the spiritual successor to Hashids. This is more than just a rebranding: the underlying algorithm has been simplified and is now Identical across all platforms. A PHP implementation was recently released, created by Ivan Akimov and Vincent Klaiber.
Let's take a look at how we can integrate Sqids with a Laravel application. Our goal will be to allow this integration to be completely transparent with our usage of the framework.
NB: Sqids can be decoded by third parties so they are not good for truly sensitive information. If that is a concern for your application you should consider an alternative stragey.
Getting Started
First we will pull in the sqids/sqids-php
package with Composer:
composer require sqids/sqids
NB: sqids/sqids-php
requires at least PHP 8.1 and either ext-bcmath or ext-gmp; it has no other dependencies.
Now we will set up a utility class to handle encoding and decoding sqids:
1 | <?php |
2 | |
3 | namespace App\Utility; |
4 | |
5 | use Sqids\Sqids; |
6 | |
7 | final class Sqid |
8 | { |
9 | /** |
10 | * Encode an integer as a hashid. |
11 | */ |
12 | public static function encode(?int $number): string |
13 | { |
14 | if (is_null($number)) { |
15 | return ''; |
16 | } |
17 | |
18 | return resolve(Sqids::class)->encode([$number]); |
19 | } |
20 | |
21 | /** |
22 | * Decode a sqid string into an integer. |
23 | */ |
24 | public static function decode(string $sqid): int |
25 | { |
26 | return resolve(Sqids::class)->decode($sqid)[0]; |
27 | } |
28 | } |
Squids is built to handle arrays; it accepts an array of integers for encoding and returns an array of integers when decoding. In our case we are only interested in single integer values, not arrays, so the utility methods above handles packaging and unpacking the arrays for us. The resolve()
method is a Laravel tool for fetching classes from the service container.
One nice benefit of Sqids over Hashids is that there is no need for a salt value to randomize the output. It works out of the box without any additional configuration, which may suit your needs just fine. In my case, however, I would like to ensure that all of the generated sqid strings have the same minimum length for the lifetime of my application. This can be achieved by passing in a minLength
value to the constructor:
(new Sqids(minLength: 6))->encode([1]);
// 'UkLWZg'
NB: This is a minimum length, not a specific length.
Additionally, the default "alphabet" of characters used for generating sqid strings contains uppercase and lowercase letters together. I would prefer to use only lowercase letters so I don't have to be concerned about handling case-sensitive URLs.
To achieve these goals we will prepare an instance of the Sqids class that is configured to our liking and bind it to the service container as a singleton so we can resolve it wherever we need it.
Configuration
Let's create a new service provider to handle our Sqids configuration:
php artisan make:provider SqidsServiceProvider
This will create a new app/Providers/SqidsServiceProvider
class. We will use the register
method to handle our configuration:
1 | <?php |
2 | |
3 | namespace App\Providers; |
4 | |
5 | use Illuminate\Support\ServiceProvider; |
6 | use Sqids\Sqids; |
7 | |
8 | class SqidsServiceProvider extends ServiceProvider |
9 | { |
10 | const PAD = 7; |
11 | const ALPHABET = 'msd793zjyw5rf8v6qxahpgn1bk0etc4u2'; |
12 | |
13 | /** |
14 | * Register services. |
15 | */ |
16 | public function register(): void |
17 | { |
18 | $this->app->singleton(Sqids::class, function () { |
19 | return new Sqids(self::ALPHABET, self::PAD); |
20 | }); |
21 | } |
22 | } |
In addition to shortening the alphabet I have also shuffled the order of the letters. This is the recommended method for generating sqid values that are unique to your application. I have also removed the letters 'l', 'i' and 'o' because they look similar to '1' and '0', though you can craft any alphabet you would like.
Make sure you register your provider in your config/app.php
file. With this singleton bound to the service container we are guaranteed to get our configured version of the Squids class any time we resolve it through the container:
$sqid = resolve(Sqids::class)->encode([$number]);
Model Accessor
Rather than having to encode a model Id every time we need to reference a sqid, we can use a model accessor to compute sqids automatically. We will set this up as a trait that can be applied to any model that want to reference with sqids:
1 | <?php |
2 | |
3 | namespace App\Models; |
4 | |
5 | use App\Utility\Sqid; |
6 | use Illuminate\Database\Eloquent\Casts\Attribute; |
7 | |
8 | trait HasSqid |
9 | { |
10 | /** |
11 | * Get the obfuscated version of the model Id. |
12 | * |
13 | * @see https://sqids.org |
14 | */ |
15 | protected function sqid(): Attribute |
16 | { |
17 | return Attribute::make( |
18 | get: fn () => Sqid::encode($this->id) |
19 | ); |
20 | } |
21 | } |
NB: I have put this trait in the App\Models
namespace but you can put it anywhere you want, just make sure to adjust line 3.
Now when we call $model->sqid
we will get the appropriate sqid version of the model Id based on our configuration specs from earlier.
The last piece of the puzzle is route model binding. Can we get Laravel to translate sqids into models for us automatically when handling routes? Let's give it a shot.
Route Model Binding
We will add two additional methods to our HasSqid
trait:
24 | /** |
25 | * Get the route key for the model. |
26 | * |
27 | * @return string |
28 | */ |
29 | public function getRouteKeyName() |
30 | { |
31 | return 'sqid'; |
32 | } |
This method tells Laravel to use the 'sqid' accessor when generating model routes instead of 'id':
route('some.named.route', $sqidModel);
// https://myapp.com/some/named/route/abc1234
Next, we will intercept the route model binding handler to decode the sqid before querying the database:
34 | /** |
35 | * Retrieve the model for a bound value. |
36 | * |
37 | * @param mixed $value |
38 | * @param string|null $field |
39 | * @return \Illuminate\Database\Eloquent\Model|null |
40 | */ |
41 | public function resolveRouteBinding($value, $field = null) |
42 | { |
43 | return $this->resolveRouteBindingQuery($this, Sqid::decode($value), 'id')->first(); |
44 | } |
The "value" passed into resolveRouteBinding
method is the sqid string itself. The "field" is not necessary for our purposes but it relates to optional key customization. In our version of the resolveRouteBinding
method we are telling Eloquent to find the first database record that has an Id that matches our decoded sqid value.
With those two methods in place we can now add this trait to any model we want and automatically enable the use of sqids for that model and Laravel does all of the heaving lifting for us automatically. Perfect!
Having been a big fan of Hashids for several years now it was delightful to see this new simplified and upgraded version released recently. Ivan and Vincent have done an excellent job on this PHP implementation.