我试图用Laravel创建一个友谊系统(我从它开始),但我被关系阻止了。事情就是这样:有一个表用户和一个表友,其中包含以下列:
friends: id, user_id, friend_id, accepted.
它看起来像一个多对多,所以这就是我在用户类上设置的内容:
class User extends Eloquent {
function friends()
{
return $this->belongsToMany('User');
}
}
但是当我尝试:
$friends = User::find($id)->friends()->get()
我有这个错误:
Base table or view not found: 1146 Table 'base.user_user' doesn't exist
我想获得一个用户朋友列表,无论用户是发送了邀请还是收到了邀请。因此,用户可以在user_id或friend_id上进行操作,然后根据该列检索其他用户的数据。
有什么想法吗?感谢'!小号
编辑:这是我使用的代码:
$usersWithFriends = User::with('friendsOfMine', 'friendOf')->get();
$user = User::find(Auth::id())->friends;
foreach($user as $item) {
echo $item->first()->pivot->accepted;
}
答案 0 :(得分:45)
首先关闭错误 - 这就是你的关系应该是这样的:
function friends()
{
return $this->belongsToMany('User', 'friends', 'user_id', 'friend_id')
// if you want to rely on accepted field, then add this:
->wherePivot('accepted', '=', 1);
}
然后它会正常工作:
$user->friends; // collection of User models, returns the same as:
$user->friends()->get();
然而您希望关系以两种方式运作。 Eloquent并没有提供这种关系,所以你可以使用2个反向关系并合并结果:
// friendship that I started
function friendsOfMine()
{
return $this->belongsToMany('User', 'friends', 'user_id', 'friend_id')
->wherePivot('accepted', '=', 1) // to filter only accepted
->withPivot('accepted'); // or to fetch accepted value
}
// friendship that I was invited to
function friendOf()
{
return $this->belongsToMany('User', 'friends', 'friend_id', 'user_id')
->wherePivot('accepted', '=', 1)
->withPivot('accepted');
}
// accessor allowing you call $user->friends
public function getFriendsAttribute()
{
if ( ! array_key_exists('friends', $this->relations)) $this->loadFriends();
return $this->getRelation('friends');
}
protected function loadFriends()
{
if ( ! array_key_exists('friends', $this->relations))
{
$friends = $this->mergeFriends();
$this->setRelation('friends', $friends);
}
}
protected function mergeFriends()
{
return $this->friendsOfMine->merge($this->friendOf);
}
通过这样的设置,你可以这样做:
// access all friends
$user->friends; // collection of unique User model instances
// access friends a user invited
$user->friendsOfMine; // collection
// access friends that a user was invited by
$user->friendOf; // collection
// and eager load all friends with 2 queries
$usersWithFriends = User::with('friendsOfMine', 'friendOf')->get();
// then
$users->first()->friends; // collection
// Check the accepted value:
$user->friends->first()->pivot->accepted;
答案 1 :(得分:3)
这显然是您的数据库中的问题以及关系的定义。多对多关系类型要求您使用和中间表。这就是你要做的事情:
user_friend (id, user_id, fried_id)
表。user
和friend
表中删除不必要的字段。user.id
- > user_friend.user_id
,friend.id
- > user_friend.friend_id
例如:
class User extends Eloquent {
function friends()
{
return $this->belongsToMany('User', 'user_friend', 'user_id', 'friend_id');
}
}
您可以在Laravel文档中阅读更多内容,HERE