Laravel插入和检索关系

Ale*_*lex 5 php orm relationship laravel eloquent

我正在开发一个基于Laravel 3的项目,我正在努力查看是否可以缩短处理关系的代码(更好的方法来执行以下操作)

用户控制器

创建用户功能

$newUser = new User;

if($userData['organization'])
    $newUser->organization = self::_professional('Organization', $newUser, $userData);
else
    $newUser->school = self::_professional('School', $newUser ,$userData);
Run Code Online (Sandbox Code Playgroud)

创建或检索学校/组织ID

private function _professional($type, $newUser, $userData)
{
    if ( $orgId = $type::where('name', '=', $userData[strtolower($type)])->only('id'))
        return $orgId;
    else
    {
        try {
            $org = $type::create(array('name' => $userData[strtolower($type)]));
            return $org->attributes['id'];
        } catch( Exception $e ) {
            dd($e);
        }
    }
}
Run Code Online (Sandbox Code Playgroud)

楷模

用户模型

class User extends Eloquent {

    public function organization()
    {
        return $this->belongs_to('Organization');
    }

    public function school()
    {
            return $this->belongs_to('School');
    }
}
Run Code Online (Sandbox Code Playgroud)

组织/学校模式

class Organization extends Eloquent {

    public function user() 
    {
        return $this->has_many('User');
    }

}
Run Code Online (Sandbox Code Playgroud)

迁移

用户迁移

....
$table->integer('organization_id')->unsigned()->nullable();
$table->foreign('organization_id')->references('id')->on('organizations');

$table->integer('school_id')->unsigned()->nullable();
$table->foreign('school_id')->references('id')->on('schools');
....
Run Code Online (Sandbox Code Playgroud)

组织/学校迁移

....
$table->increments('id');
$table->string('name');
$table->string('slug');
$table->integer('count')->default(1)->unsigned();
....
Run Code Online (Sandbox Code Playgroud)

现在,我的问题是:

  1. 是否有更好的方法来生成用户 - >学校/组织关系,然后是上面使用的关系?如果是这样,怎么样?

  2. 通过以下方式检索用户的学校/组织名称的更好方法: School::find($schoolId)->get()

执行操作User::find(1)->school()不会school仅检索任何数据:

[base:protected] => User Object
(
    [attributes] => Array
        (
            [id] => 1
            [nickname] => w0rldart
            ....
            [organization_id] => 
            [school_id] => 1
            ...
        )
    [relationships] => Array
        (
        )

    [exists] => 1
    [includes] => Array
        (
        )

)

[model] => School Object
(
    [attributes] => Array
        (
        )

    [original] => Array
        (
        )

    [relationships] => Array
        (
        )

    [exists] => 
    [includes] => Array
        (
        )

)
Run Code Online (Sandbox Code Playgroud)

小智 3

// You have to save this before you can tied the organizations to it
$new_user->save();

// The organizations that you want to tie to your user
$oganization_ids = array(1, 2, 3);

// Save the organizations
$result = $new_user->organization()->sync($oganization_ids);
Run Code Online (Sandbox Code Playgroud)