我有两个表,我想从中检索数据并将其传递给我的表。
为此,我创建了两个具有一对一关系的模型:
[ADRESS]
class Adress extends Model
{
public function KontoKorrent()
{
return $this->hasOne(KontoKorrent::class, 'Adresse');
}
}
[KontoKorrent]
class KontoKorrent extends Model
{
public function Adresse()
{
return $this->belongsTo(Adress::class,'Adresse');
}
}
我的控制器看起来像这样:
class AdressesController extends Controller
{
public function index()
{
$adresses = Adress::with('KontoKorrent')->paginate(2);
return view('welcome', compact('adresses'));
}
}
当我使用tinker
时
应用程序\ ADRESS ::
每个adress
都与kontokorrent
有关系。这很有效。
App\Adress {#698
Adresse: "3030",
Anrede: "Company",
Name1: "A Company Name",
LieferStrasse: "Dummystreet",
KontoKorrent: App\KontoKorrent {#704
Location: "1",
Adresse: "3030",
Kto: "S0043722",
在我看来:
<ul>
@foreach($adresses as $adress)
<li>{{ $adress->Name1 }}</li> //this is working
<li>{{ $adress->KontoKorrent->Kto }}</li> //this is NOT working
@endforeach
</ul>
{{ $adresses->links() }}
该关系向我显示错误:
尝试获取非对象的属性
我做错了什么?
答案 0 :(得分:0)
您收到的错误:
尝试获取非对象的属性
与某些Adress
模型没有KontoKorrent
相关,那么您的$adress->KontoKorrent
会返回null
,而null不是对象,原因就在于此消息。
要解决此问题,您应该if
检查adress
是否有关系:
<ul>
@foreach($adresses as $adress)
<li>{{ $adress->Name1 }}</li> //this is working
<li>
@if($adress->KontoKorrent)
{{ $adress->KontoKorrent->Kto }}
@else
<!-- Put something here if you want, otherwise remove the @else -->
@endif
</li> //this is NOT working
@endforeach
</ul>
这可以缩短为:
{{ $adress->KontoKorrent ? $adress->KontoKorrent : 'the else content' }}
或在PHP&gt; = 7.0中,您可以使用null coalesce运算符:
{{ $adress->KontoKorrent ?? 'the else content' }}