0

我有一个商业模式和订阅模式。我使用以下内容加载数据:

Business::with('subscriptions')->get()

然后我在我的业务类上创建了一个方法,如下所示:

public function check_for_subscription($type)
{
    if($this->subscriptions->isEmpty() === false)
    {
        foreach($this->subscriptions as $subscription)
        {
            dd($subscription);
            if($subscription->type == $type)
            {
                return true;
            }
        }
    }
    return false;
}

dd 显示以下内容:

object(Subscription)#175 (17) {
  ["connection":protected]=>
  NULL
  ["table":protected]=>
  NULL
  ["primaryKey":protected]=>
  string(2) "id"
  ["perPage":protected]=>
  int(15)
  ["incrementing"]=>
  bool(true)
  ["timestamps"]=>
  bool(true)
  ["attributes":protected]=>
  array(7) {
    ["id"]=>
    int(1)
    ["business_id"]=>
    int(1)
    ["type"]=>
    string(3) "614"
    ["starts_at"]=>
    NULL
    ["ends_at"]=>
    NULL
    ["created_at"]=>
    string(19) "0000-00-00 00:00:00"
    ["updated_at"]=>
    string(19) "0000-00-00 00:00:00"
  }
  ["original":protected]=>
  array(7) {
    ["id"]=>
    int(1)
    ["business_id"]=>
    int(1)
    ["type"]=>
    string(3) "614"
    ["starts_at"]=>
    NULL
    ["ends_at"]=>
    NULL
    ["created_at"]=>
    string(19) "0000-00-00 00:00:00"
    ["updated_at"]=>
    string(19) "0000-00-00 00:00:00"
  }
  ["relations":protected]=>
  array(0) {
  }
  ["hidden":protected]=>
  array(0) {
  }
  ["visible":protected]=>
  array(0) {
  }
  ["fillable":protected]=>
  array(0) {
  }
  ["guarded":protected]=>
  array(1) {
    [0]=>
    string(1) "*"
  }
  ["touches":protected]=>
  array(0) {
  }
  ["with":protected]=>
  array(0) {
  }
  ["exists"]=>
  bool(true)
  ["softDelete":protected]=>
  bool(false)
}

如果我尝试去做,$subscription->type我什么也得不到。关于如何使它工作的任何想法?

这是我的商业模式的开始

class Business extends Eloquent 
{
    public function subscriptions()
    {
        return $this->hasMany('Subscription');
    }
}

这是我的订阅模式

class Subscription extends Eloquent 
{
    public function businesses()
    {
        return $this->belongsTo('Business');
    }
}
4

1 回答 1

0

根据 dd() 输出,Subscription 对象没有名为“type”的属性。这就解释了为什么你没有从 $subscription->type 得到任何东西。

再次根据 dd() 输出,Subscription 对象确实有一个名为“attributes”的受保护属性,它是一个数组。该数组的键之一是“类型”,因此我假设这是您要达到的值。

由于“属性”数组受到保护,您无法从外部类访问它。我假设您的 Subscription 类有一个名为 getAttributes() 的 getter 函数,它返回该受保护的数组。如果是这样......你唯一需要的是:

public function check_for_subscription($type)
{
    if($this->subscriptions->isEmpty() === false)
    {
        foreach($this->subscriptions as $subscription)
        {
            $attributes = $this->subscriptions->getAttributes();
            if($attributes['type'] == $type)
            {
                return true;
            }
        }
    }
    return false;
}
于 2013-11-12T18:18:24.767 回答