是否可以向 Laravel 模型添加非持久属性?
Is it possible to add non-persistent attributes to Laravel models?
我正在用 Laravel (Lumen) 创建一个 API,其中有些对象包含一个字段,该字段是一个文件的路径。
这些路径在数据库中存储为相对路径,但在将它们返回给用户后,我必须将它们转换为绝对 url。
现在我想知道是否有一种方便的方法可以将非持久字段添加到模型对象中。明明有Mutators,但是都持久化到数据库了。
我也想过创建一个后中间件,它遍历对象树并转换它找到的每个 path
字段,但这不是一种优雅的方式。
这是我需要的最终转换:
[
{
"id": 1,
"title": "Some title",
"media": [
{
"id": 435,
"path": "relative/path/to/some/file.ext"
},
{
"id": 436,
"path": "relative/path/to/some/file2.ext"
}
]
}
]
收件人:
[
{
"id": 1,
"title": "Some title",
"media": [
{
"id": 435,
"url": "http://example.com/relative/path/to/some/file.ext"
},
{
"id": 436,
"url": "http://example.com/relative/path/to/some/file2.ext"
}
]
}
]
欢迎任何想法。
您可以使用 Laravel accessors、
来自Docs:
The original value of the column is passed to the accessor, allowing
you to manipulate and return the value.
这些不会保存在数据库中,但会在您访问它们时进行修改。
例如:
class User extends Model
{
/**
* Get the user's first name.
*
* @param string $value
* @return string
*/
public function getFirstNameAttribute($value)
{
return ucfirst($value);
}
}
用法:
$user = App\User::find(1);
$firstName = $user->first_name;
在您的用例中:
在媒体模型中为路径属性定义一个访问器。
public function getPathAttribute($value)
{
return storage_path($value);
}
如果您需要使用不同的名称(别名)访问属性:
public function getAliasAttribute()
{
return storage_path($this->attributes['path']);
}
// $model->alias
正如@Sapnesh Naik 所说,您需要的是一个简单的accessor 像这样:
public function getPathAttribute($value)
{
$url = config('relative_url') or env('PATH') or $sthElse;
return $url.$this->attributes['path'];
}
我正在用 Laravel (Lumen) 创建一个 API,其中有些对象包含一个字段,该字段是一个文件的路径。
这些路径在数据库中存储为相对路径,但在将它们返回给用户后,我必须将它们转换为绝对 url。
现在我想知道是否有一种方便的方法可以将非持久字段添加到模型对象中。明明有Mutators,但是都持久化到数据库了。
我也想过创建一个后中间件,它遍历对象树并转换它找到的每个 path
字段,但这不是一种优雅的方式。
这是我需要的最终转换:
[
{
"id": 1,
"title": "Some title",
"media": [
{
"id": 435,
"path": "relative/path/to/some/file.ext"
},
{
"id": 436,
"path": "relative/path/to/some/file2.ext"
}
]
}
]
收件人:
[
{
"id": 1,
"title": "Some title",
"media": [
{
"id": 435,
"url": "http://example.com/relative/path/to/some/file.ext"
},
{
"id": 436,
"url": "http://example.com/relative/path/to/some/file2.ext"
}
]
}
]
欢迎任何想法。
您可以使用 Laravel accessors、
来自Docs:
The original value of the column is passed to the accessor, allowing you to manipulate and return the value.
这些不会保存在数据库中,但会在您访问它们时进行修改。
例如:
class User extends Model
{
/**
* Get the user's first name.
*
* @param string $value
* @return string
*/
public function getFirstNameAttribute($value)
{
return ucfirst($value);
}
}
用法:
$user = App\User::find(1);
$firstName = $user->first_name;
在您的用例中:
在媒体模型中为路径属性定义一个访问器。
public function getPathAttribute($value)
{
return storage_path($value);
}
如果您需要使用不同的名称(别名)访问属性:
public function getAliasAttribute()
{
return storage_path($this->attributes['path']);
}
// $model->alias
正如@Sapnesh Naik 所说,您需要的是一个简单的accessor 像这样:
public function getPathAttribute($value)
{
$url = config('relative_url') or env('PATH') or $sthElse;
return $url.$this->attributes['path'];
}