Конструктор запросов Laravel получает пользовательский атрибут - PullRequest
0 голосов
/ 05 июня 2018

Я пытаюсь получить пользовательский атрибут (https://laravel.com/docs/5.5/eloquent-mutators#defining-an-accessor) из запроса.

Сейчас у меня есть:

User.php

public function getViewUrlAttribute()
{
    return route('admin.users.view', ['id' => $this->id]);
}

public function role()
{
    return $this->belongsTo('App\Role')->withDefault([
        'name' => 'User'
    ]);
}

UserController.php

public function dataTable(Request $request)
{
    $length = $request->has('length') ? $request->input('length') : 10;
    $orderDirection = $request->input('orderDirection');
    $searchValue = $request->input('search');

    $users = User::select('id', 'name', 'email', 'created_at')->with('role:name')->limit($length);

    if ($request->has('orderBy')) {
        if ($request->has('orderDirection')) {
            $users = $users->orderBy($request->input('orderBy'), $request->input('orderDirection') > 0 ? 'asc' : 'desc');
        } else {
            $users = $users->orderBy($request->input('orderBy'), 'desc');
        }
    }

    return $users->get();
}

Возвращает

[
 {
  "id": 1,
  "name": "User",
  "email": "user@test.com",
  "created_at": "2018-04-24 14:14:12",
  "role": {
   "name": "User"
  }
 }
]

Так что дело в том, что есть какой-то способтакже получить атрибут view_url? (Я пытался внутри with (), но это не удалось)

Также я могу вернуть только имя роли, а не весь объект, как вы можете видеть в коде «Return»? (Я хотел бы что-то вроде: "role": "User").

(Конечно, я стараюсь не запускать raw sql)

Спасибо!

1 Ответ

0 голосов
/ 05 июня 2018

Вы почти закончили ...

1- Чтобы добавить пользовательский атрибут, вам нужно добавить его в модель с атрибутом $appends:

protected $appends = ['view_url'];

И определить свойметод атрибута:

public function getViewUrlAttribute()
{
    return route('admin.users.view', ['id' => $this->id]);
}

2- Чтобы добавить атрибут к модели из другой связанной модели, я думаю, вам следует попробовать:

// to add them as attribute automatically
protected $appends = ['view_url', 'role_name'];

// to hide attributes or relations from json/array
protected $hidden = ['role']; // hide the role relation

public function getRoleNameAttribute()
{
    // if relation is not loaded yet, load it first in case you don't use eager loading
    if ( ! array_key_exists('role', $this->relations)) 
        $this->load('role');

    $role = $this->getRelation('role');

    // then return the name directly
    return $role->name;
}

Тогда вам может не потребоваться событие ->with('role') eagerзагрузка.

...