显示功能的特定数据(laravel)

时间:2016-12-18 16:01:32

标签: php mysql laravel model laravel-5.3

我先解释一下我的结构,这样你才能理解我想要的东西

1 - Car = name - model - age

2 - 用户=姓名 - 城市 - 电话

3 - Reservation = from_date - to_date

4- reservation_user = user_id - reservation_id

5 - car_user = user_id - car_id

在view.blade中,我试图在表格和下方显示用户的信息,用户请求汽车的描述(他想购买),如果他有一辆他想要的汽车租(仅租

表格用户的信息

与他要求的所有车辆(包括租赁和购买)的表格

包含车辆ID的表格以及用户希望车辆从...到

的日期
 public function show($id)
{
    $users = User::with('cars')->where( 'id',$id)->get();


    return view('show')->withusers($users);
}

我保存汽车销售的方式

$id = $new_cars->id;

    $user->cars()->attach($id);

出租

    $id = $new_car->id;
    $R_id = $time->id;
    $user->cars()->attach($id);


    $user->reservations()->attach($R_id);

问题

出租汽车正在两张桌子上显示,因为在功能中我拉了所有的汽车。

问题

如何在一张桌子(第三张桌子)中只获得预订的汽车?不在第二个表格中显示它们

1 个答案:

答案 0 :(得分:1)

首先,您没有正确设计car_user数据透视表。您正在将User and Car的关系存储在该表中,但是您使用相同的属性存储两种类型的关系数据,用于出售和出租,并且无法区分出售和出售的差异。出租。因此,首先,您必须使用该数据透视表中的另一个字段来区分两种类型的关系,所以让我们在表中添加另一个字段,以便您找到关系类型,例如:

car_user

user_id | car_id | type
------------------------
1       |    1   | buy
1       |    2   | rent

此处,该类型将用于识别关系的类型,无论是租金还是出售。因此,当您附加关系时,添加类型字段(租/买),但在此之前,您需要为它们建立关系。因此,您可以在User模型中使用两种不同的关系方法,例如:

// For Rent
public function rentingCars()
{
    return $this->belongsToMany(Car::class)
                ->wherePivot('type', 'rent')
                ->withPivot('type');
}

// For Buy
public function buyingCars()
{
    return $this->belongsToMany(Car::class)
                ->wherePivot('type', 'buy')
                ->withPivot('type');
}

// For both types
public function buyingCars()
{
    return $this->belongsToMany(Car::class)->withPivot('type');
}

现在,您可以使用以下内容查询某些类型的汽车:

public function show($id)
{
    // Load all cars the user wants to buy
    $users = User::with('buyingCars')->where( 'id', $id)->get();

    // Notice "withUsers" not "withusers" (you've used "withusers")
    // Or: view('show')->with('users', $users);
    return view('show')->withUsers($users);

    // More examples:

    // Load all cars the user wants to rent
    // $users = User::with('rentingCars')->where( 'id', $id)->get();

    // Load all cars the user wants to buy or sell
    // $users = User::with('cars')->where( 'id', $id)->get();

}

现在,当您将汽车附加到User型号时,您还必须传递type字段的值:

// For rent
$user->cars()->attach($car_id, ['type' => 'rent']);

// For buy
$user->cars()->attach($car_id, ['type' => 'buy']);

此外,当你做这样的事情时:

$user = User::with('cars')->find(1);

您可以查看汽车出租或购买时使用以下内容:

@foreach($user->cars as $car)

    {{ $car->name }}

    // Either buy or rent
    {{ $car->pivot->type }}

@endforeach