Laravel 有没有办法在访问路由之前对 URL 中的数据 ID 进行哈希处理?

Laravel is there a way to dehash the IDs of data in URL before accessing the route?

我正在使用包 hashids\hashids 对通过 URL 发送的数据的 ID 进行哈希处理(例如 .../post/bsdfs/edit,'bsdfs' 是经过编码的价值)。我按照 的访问器方法来这样做。以下是我的做法:

use Hashids\Hashids;

class Post extends Model {
    protected $appends = ['hashid'];

    public function getHashidAttribute() {
        $hashid = new Hashids(config('hash.keyword'));

        return $hashid->encode($this->attributes['id']);
    }
}

在散列 ID 之前,我得到 post/2/edit。在散列过程之后,我得到 post/bsdfs/edit,这对我来说很好。

重定向到编码路由时出现问题。这是我的路线:

use App\Http\Controllers\PostController;
    
Route::get('post/{post}/edit', 'PostController@edit')->name('post.edit');

重定向后,出现 404 错误。这是控制器接受的内容:

Use App\Models\Post;

class PostController extends Controller {
    //PS: I don't actually know what this method is called...
    public function edit(Post $post) {
        return view('post.edit')->with(compact('post'));
    }
}

我知道如果我正在执行此方法,Laravel 正在搜索数据库中不存在的 'bsdfs' 的 ID。它应该做的是解码哈希并获取 ID。有没有办法不这样做:

public function edit($id) {
    $hashid = new Hashids(config('hash.keyword'));
    $id= $hashid->decode($id);

    $post = Post::find($id);

    return view('post.edit')->with(compact('post'));
}

如您所见,我的目标是减少行数,同时仍保持要编码的 URL 中的数据 ID。任何帮助,将不胜感激。谢谢。

您可以利用 Model Binding

所以你的模型应该是这样的:

/**
 * Retrieve the model for a bound value.
 *
 * @param  mixed  $value
 * @param  string|null  $field
 * @return \Illuminate\Database\Eloquent\Model|null
 */
public function resolveRouteBinding($value, $field = null)
{
    $hashid = new Hashids(config('hash.keyword'));

    return $this->findOrFail($hashid->decode($value)[0]);
}

这样您就可以让您的控制器像什么都没发生一样:

public function edit(Post $post)
{
    return view('post.edit')->with(compact('post'));
}