Laravel Eloquent 关系 - table 的多个列引用相同的外键

Laravel Eloquent relationship - multiple columns of table reference same foreign key

Laravel/Eloquent 这里是新手。我正在实施一个简单的棋盘游戏。每场比赛有4名球员。 tables 结构由玩家 table 和游戏 table 组成:

SELECT * FROM players;

id    | name        |
---------------------
1     | John        |
2     | Mary        |
3     | Linda       |
4     | Alex        |
5     | Chris       |
6     | Ron         |
7     | Dave        |
SELECT * FROM games;

id    | player1_id  | player2_id  | player3_id    player4_id  
---------------------------------------------------------------------
1     | 1           | 2           | 3           | 4
2     | 3           | 5           | 6           | 7
3     | 2           | 3           | 5           | 6
4     | 2           | 4           | 5           | 7

目标:我希望能够得到一个玩家参加过的所有游戏。

为此,我尝试在 Player 模型中编写一个函数 games()。对于 id 2 的玩家,这应该 return 游戏 1、3、4 / 对于 id 3 的玩家,它应该 return 游戏 1、2、3 等等。

使用原始 SQL 我会做这样的事情:

SELECT * FROM games WHERE 
  (player1_id = 2 OR player2_id = 2 OR player3_id = 2 OR player4_id = 2)

但是 Eloquent 我很难弄清楚必须如何建立这种关系才能实现这一目标。

同样地,我也希望能够做相反的事情 - return 游戏的所有玩家 - 在 Game 模型中使用函数 players()

模特:

// Models/Player.php

//...

class Player extends Model
{
    public function games(){

        //?

    }
}
// Models/Game.php

//...

class Game extends Model
{
    public function players(){

        //?

    }
}

在不更改数据库结构的情况下,您可以滥用 hasMany 声明来获取所有 4 个玩家。

class Game extends Model
{
    public function players()
    {
        return $this->hasMany(Player::class, 'id', 'player1_id')
                    ->orWhere('id', $this->player2_id)
                    ->orWhere('id', $this->player3_id)
                    ->orWhere('id', $this->player4_id);
    }
}
class Player extends Model
{
    public function games()
    {
        return $this->hasMany(Game::class, 'player1_id', 'id')
                    ->orWhere('player2_id', $this->id)
                    ->orWhere('player3_id', $this->id)
                    ->orWhere('player4_id', $this->id);
    }
}

然而这并不理想。

您应该有第三个 table 来正确映射这种多对多关系。

table 1 - players:     id (pk), name
table 2 - games:       id (pk)
table 3 - game_player: id (pk), game_id (fk), player_id (fk), unique([game_id, player_id])
class Game extends Model
{
    public function players()
    {
        return $this->belongsToMany(Player::class, 'game_player');
    }
}
class Player extends Model
{
    public function games()
    {
        return $this->belongsToMany(Game::class, 'game_player');
    }
}