Eloquent ORM和DB在业务中,从考虑性能的基础上,如果选型使用
一、Eloquent ORM封装了DB中的内容
Eloquent ORM会比使用DB门面的方式慢很多,但是Eloquent ORM的功能异常强大。
使用选型基本是,若不存在任何关联关系的简单查询,普通插入,更新,使用普通门面的方式,若存在复杂的关联关系,使用Eloquent ORM会节省开发效率和解耦。
二、解耦
(1)普通DB门面关联方式
$users = DB::table('users')
->join('contacts', 'users.id', '=', 'contacts.user_id')
->join('orders', 'users.id', '=', 'orders.user_id')
->select('users.*', 'contacts.phone', 'orders.price')
->get();
如我需要其它边跟users关联,则需要用join来指明关联关系,若我要在别的地方还是要关联,但是不一定关联的表都是一样的,这样就要重新再写一遍关联,这里耦合程度会显得很高。
(2)使用Eloquent ORM来解耦
如下例子:
public function blackList()
{
return $this->hasMany('App\Models\Admin\Blacklist');
}
public function users_tree(){
return $this->hasOne('App\Models\UsersTree');
}
public function lots_count(){
return $this->hasOne('App\Models\LotsCount', 'users_id');
}
这里举了几个利用Eloquent ORM来声明跟users表之间的关系的(在users的model中声明),若我要在控制器使用这种关联关系,我只需要with进来就可以了,若我的外检进行了更改,只需要改动对应的model中的关联关系的外键即可。
三、事务
当存在多不更新或者插入的时候,需要启动事务来保证整个流程的完整性。这时候需要使用DB门面来进行开启、回滚和提交等操作。
四、DB是的关键点在builder,一下简要的列出builder和model的一些关键点。具体内容待日后发表本人开源的model扩展后再来细说。
public function getModels($columns = ['*'])
{
return $this->model->hydrate(
$this->query->get($columns)->all()
)->all();
}
Builder $this->query
调用 Illuminate/Database/Query/Builder.php
public function hydrate(array $items)
{
$instance = $this->newModelInstance();
return $instance->newCollection(array_map(function ($item) use ($instance) {
return $instance->newFromBuilder($item);
}, $items));
}
public function newCollection(array $models = [])
{
return new Collection($models);
}
网友评论