最近我必須在 Laravel 7 實作 通用唯一識別碼 ( UUIDs ),並遇到一些問題。我希望這篇貼文可為其他正在做相同事情的人解惑。
使用UUIDs 的高階理由
A) 它們從你的統一資源定位符號移除編號的識別號,故用戶不能看到你的應用程式已建立多少確定的物件。例如:
https://myapp.com/api/users/5
對比:
https://myapp.com/api/users/0892b118-856e-4a15-af0c-66a3a4a28eed
B) 它們讓 識別號碼 遠難於猜測。這有益於安全性,但我們可能應該實現其他技術以防範之。
作為主鍵實作UUIDs
#如何改變資料庫遷移
##首先,在資料庫遷移中,你要將目前自動遞增的ID 欄位替換為UUIDs 。你也可以遵循以下方法:保留自動遞增ID 並將UUID 作為表中的附加字段,在用戶展示URL 時使用(在這種情況下,你將ID 隱藏到模型中),但這不是我們能在這裡做的。讓我們看看假設的 employees 表是什麼樣子的。public function up() { Schema::create('employees', function (Blueprint $table) { $table->uuid('id')->primary; $table->string('name'); $table->string('email')->unique(); $table->string('work_location')->nullable(); $table->timestamps(); }); }
讓我們把它變成一種特質
接下來,我們可以實作Laravel 生命週期掛鉤,以確保在建立此模型的新實例時分配了UUID。我們可以直接在模型中編寫程式碼,但是如果你要在多個模型中使用 UUID,我建議用 Trait (我在這篇開發文章中學到了這一點,非常感謝 Dev)。 trait 基本上允許你創建功能,並透過 use 關鍵字呼叫它在多個模型中使用。 要建立新的Trait,請建立一個\App\Http\Traits\資料夾(這只是我的愛好,你也可以將其放到其他位置),並為Trait 建立一個新文件。我們將呼叫檔案 UsesUuid.php。 這是 trait 的具體程式碼:<?php namespace App\Http\Traits; use Illuminate\Support\Str; trait UsesUuid { protected static function bootUsesUuid() { static::creating(function ($model) { if (! $model->getKey()) { $model->{$model->getKeyName()} = (string) Str::uuid(); } }); } public function getIncrementing() { return false; } public function getKeyType() { return 'string'; } }
<?php namespace App; use Illuminate\Database\Eloquent\Model; ... class Employee extends Model { ... use \App\Http\Traits\UsesUuid; ... }
將 UUID 引用為外鍵
要將表上的 UUID 引用為外鍵,只需更改表上外鍵欄位的類型。如下...Schema::create('another_table', function(Blueprint $table) { $table->id(); $table->unsignedBigInteger('employee_id'); $table->string('some_field'); $table->foreign('employee_id') ->references('id') ->on('shifts') ->onDelete('cascade'); });
Schema::create('another_table', function(Blueprint $table) { $table->id(); $table->uuid('employee_id'); $table->string('some_field'); $table->foreign('employee_id') ->references('id') ->on('shifts') ->onDelete('cascade'); });
UUID 和多態關係
您可能會發現自己透過自己的操作或要引入的套件以多態關係引用了該模型。在遷移中,該表可能看起來像這樣:public function up() { Schema::create('some_package_table', function (Blueprint $table) { $table->bigIncrements('id'); $table->morphs('model'); ... } }
Data truncated for column 'model_id' at row 1
public function up() { Schema::create('some_package_table', function (Blueprint $table) { $table->bigIncrements('id'); $table->uuidMorphs('model'); ... } }
Laravel教學》
以上是在 Laravel 7 中優雅使用 UUID 教程的詳細內容。更多資訊請關注PHP中文網其他相關文章!