laravel在eloquent中管理对应的url

No pain, no gain.

It’s not uncommon to have tens, if not hundreds of views in a Laravel application. Something that soon gets out of hand is the various references to routes. Think about how many times you’ve done something like this in your blade views:

1
<a href="{{ route('users.show', $user) }}">{{ $user->name }}</a>

If for whatever reason we have to make a change to either the route alias or default query string values you’ll soon find yourself doing mass string replacements across your entire application which brings the risk of breakage within many files.

What can we do to possibly better handle this? There are a couple of different approaches.

Eloquent Only

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
<?php 

namespace App;

class User {

protected $appends = [
'url'
];

public function getUrlAttribute()
{
return route('users.show', $this);
}
}

Then in your views it would look like this:

1
<a href="{{ $user->url }}">{{ $user->name }}</a>

Super clean, right? For you advanced developers you’ll probably want to go with this next approach.

Eloquent with URL Presenter

At first glance, you’ll see some similarities, but the key difference is that our accessor will return an instance of the presenter.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
<?php 

namespace App;

use App\Presenters\User\UrlPresenter;

class User {

protected $appends = [
'url'
];

public function getUrlAttribute()
{
return new UrlPresenter($this);
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
<?php

namespace App\Presenters\User;

use App\User;

class UrlPresenter {

protected $user;

public function __construct(User $user)
{
$this->user = $user;
}

public function __get($key)
{
if(method_exists($this, $key))
{
return $this->$key();
}

return $this->$key;
}

public function delete()
{
return route('users.delete', $this->user);
}

public function edit()
{
return route('users.edit', $this->user);
}

public function show()
{
return route('users.show', $this->user);
}

public function update()
{
return route('users.update', $this->user);
}
}

Then you would use it like this:

1
<a href="{{ $user->url->show }}">{{ $user->name }}</a>

As you can see with either approach, the view now doesn’t care about how we determine the URL, just that a URL is returned. The beauty to this is should you have to adjust any routes you only have to edit two files, not hundreds.

https://laravel-news.com/leverage-eloquent-to-prepare-your-urls