试图抽象数据库类并阻止它的公共使用:Laravel 5.2.31

时间:2016-06-09 21:33:33

标签: php laravel laravel-5 laravel-5.1 laravel-5.2

我有以下课程

接口

interface IRole {
    public function All();
}

在下面的课程中,我还会在将数据发送到数据库层之前编写一些逻辑,并在从数据库类中检索数据后编写一些代码

class RoleBL implements IRole {

    public function All() {
        return (new RoleDb())->All();
    }
}

数据库类

class RoleDb {
    public function All() {
        $Roles = \App\Models\Role\RoleModel
                ::all();
        return $Roles;
    }
}

以下是我的控制器操作方法

class MembershipController extends \App\Http\Controllers\BaseController
{
    private $role;

    public function __construct(IRole $_role) {
        $this->role = $_role;
        parent::__construct();
    }

    public function create() {
        $RoleTypes = $this->role->All();
        return view('Membership.Create', array('Roles' => $RoleTypes));
    }
}

有人可以帮助我如何停止直接访问RoleDb类?它的访问修饰符现在是公开的。

1 个答案:

答案 0 :(得分:7)

你甚至不应该尝试这样做。在PHP,它看起来更像黑客。只需保留一种代码风格,如果您在团队中工作,那么请编写一些指南。

根据目的将所有对象保存在不同的图层中。数据访问层中的数据库相关对象。域层中的域对象。

域层的模型代表业务所讨论的所有业务对象(角色,客户,评论,付款等)及其上的所有相关操作(用户 - >注册,用户 - > assignRole,blog-> postArticle等)。这些模型包含业务需求和规则。

数据访问层的模型表示持久保存这些业务对象状态的所有对象,并以特定方式查找它们(blog-> getUnreadPosts,user-> findAdministrators等)。

如果RoleBL表示角色业务逻辑,那么它应该是域的一部分(您的业务需求)。这些对象由DAL持久保存/检索。

您的业务对象不应该对数据访问层有任何了解。 (new RoleDb())->All();表示从数据库中读取。要解决此问题,您可以在DAL创建单独的读取模型,以查询业务对象。这意味着DAL将有单独的模型(例如RoleDataModel),用于根据业务/应用程序需求设计查询方。

namespace Domain
{
    class Role
    {
        private $id;
        private $title;

        /* etc. */

        public function getId()
        {
            return $this->id;
        }
    }

    class Person
    {
        private $roles = [];

        /* etc. */

        public function assignRole(Role $role)
        {
            // person already promoted?
            // can person be promoted ?

            // if you promote person then it might not be required to add instance af this $role
            // to $this->roles array, just add identifier from this role

            // If you would like to respond on what did just happen
            // at this point you can return events that describe just that
        }

        public function getRoles()
        {
            return $this->roles;
        }
    }
}

namespace DAL
{
    class Person
    {
        function storePerson(Person $person)
        {
            // here you can use eloqueent for database actions
        }

        function getAllAdministrators()
        {

        }
    }
}

将有单独的Person类用于雄辩。仅用于数据操作。将数据从雄辩的objets映射到Data Transfet Objects或您的业务层对象。 DTO可以更加特定于您的其他图层,例如UI,您可能不需要显示BLO包含的所有内容。用户界面的DTO将为UI所需的一切建模。

熟悉一些DDD和整体编程概念。我应该能够找到适合您需求的东西。