0

努力用 laravel 关系更新我的代码。

我有两张桌子。Customer 和 Reservations 与 Customer 具有 hasMany 关系,Reservation 和 Reservation 与 Customer 具有属于关系。

预订表还通过链接表与产品表具有多对多关系。

我获得了客户记录,我现在需要为客户创建预订。

我假设过程是:创建预订对象,将预订附加到客户,然后链接到产品。(预订表有一些关系,但我现在就让它工作)

如果我尝试这段代码,我会得到一个错误Field 'customer_id' doesn't have a default value——数据库表允许 null 并且没有设置验证规则,所以假设这与我设置的关系有关。

`$reservation = new Reservation;

        $reservation->play_date=$play_date->format('Y-m-d');
        $reservation->booked_date=$booked_date->format('Y-m-d');
        $reservation->am_tee=$am_time->format('H:i:s');
        $reservation->pm_tee=$pm_time->format('H:i:s');
        $reservation->save();

        $customer->reservation()->associate($reservation);`

错误发生在$reservation->save();

然后我需要使用创建的 $reservation 在产品链接表中创建条目,因此需要能够访问新创建的预订及其与产品的关系。

我可以使用创建条目,$customer->reservation()->save($reservation);但是我似乎没有 $reservation 对象可以使用(或者我可以使用吗?)

我对这种关系感到非常困惑,非常感谢所有帮助理解如何让它发挥作用

谢谢

这是我在模型中的关系:

    Customer Class:

        public function reservation() {
                return $this->hasMany('Reservation');
            }

Reservation Class:

public function customer() {
        return $this->belongsTo('Customer');
    }

唯一可行的方法是$customer->reservation()->save($reservation);- 所以我认为这是正确的方法,并且必须重新编写我的代码。associate()

更新:在 mysql 中重新创建了我的表 - 我现在可以按预期保存原始预订记录,然后使用以下方法关联到客户记录:

$reservation->customer()->associate($customer)

这需要一段时间才能融入我!

4

1 回答 1

3

第1部分

由于 Customer hasMany Reservations,因此您需要客户 ID 才能添加预订。

在你的代码上,

您需要首先获得拥有预订的客户

$customer = Customer::find($id);

现在,

$reservation = new Reservation;

$reservation->customer_id = $customer->id;    
$reservation->play_date=$play_date->format('Y-m-d');
$reservation->booked_date=$booked_date->format('Y-m-d');
$reservation->am_tee=$am_time->format('H:i:s');
$reservation->pm_tee=$pm_time->format('H:i:s');
$reservation->save();

那么,$reservation->save();现在应该成功了。

第2部分

关于你的问题:

“我可以使用 $customer->reservation()->save($reservation); 创建条目;但是我似乎没有 $reservation 对象可以使用(或者我可以吗?)”

您可以通过使用获得客户的所有预订

$reservations = $customer->reservation->get(); 
//where customer is the one you had on Customer::find($id);

然后,您可以一一循环预订。(虽然我认为你可能想要预订 ID,所以上面的第一种方法更好)

于 2013-09-17T21:08:38.983 回答